neovim

next

+750 -4610
+4
.envrc
···
··· 1 + if ! has nix_direnv_version || ! nix_direnv_version 3.0.4; then 2 + source_url "https://raw.githubusercontent.com/nix-community/nix-direnv/3.0.4/direnvrc" "sha256-DzlYZ33mWF/Gs8DDeyjr8mnVmQGx7ASYqA5WlxwvBG4=" 3 + fi 4 + use flake
+1
.gitignore
···
··· 1 + .direnv
-7
after/queries/org/injections.scm
··· 1 - ;; extends 2 - 3 - (block 4 - name: (expr) (#eq? "src") 5 - contents: (contents) @nospell 6 - ) 7 -
···
+1
after/queries/rust/injections.scm candy/after/queries/rust/injections.scm
··· 1 ;; extends 2 3 (macro_invocation 4 macro: (scoped_identifier
··· 1 ;; extends 2 + ;; sql injection for sqlx in rust 3 4 (macro_invocation 5 macro: (scoped_identifier
+10
candy/ftplugin/rust.lua
···
··· 1 + -- I just like having it seperated by ft even if its not heavy 2 + vim.g.rustaceanvim = { 3 + tools = {}, 4 + server = { 5 + settings = { 6 + ["rust-analyzer"] = {}, 7 + }, 8 + }, 9 + dap = {}, 10 + }
+1
candy/init.lua
···
··· 1 + require("marshmallow")
candy/lua/marshmallow/clue.lua

This is a binary file and will not be displayed.

+5
candy/lua/marshmallow/colorscheme.lua
···
··· 1 + require("catppuccin").setup({ 2 + term_colors = true, 3 + }) 4 + 5 + vim.cmd.colorscheme("catppuccin")
+38
candy/lua/marshmallow/completion.lua
···
··· 1 + -- Awaiting mini.completion w/ snippet support... 2 + -- require("mini.completion").setup() 3 + 4 + local cmp = require("cmp") 5 + cmp.setup({ 6 + snippet = { 7 + expand = function(args) 8 + require("luasnip").lsp_expand(args.body) 9 + end, 10 + }, 11 + view = { 12 + entries = { name = "custom", selection_order = "near_cursor" }, 13 + }, 14 + 15 + mapping = cmp.mapping.preset.insert({ 16 + ["<C-b>"] = cmp.mapping.scroll_docs(-4), 17 + ["<C-f>"] = cmp.mapping.scroll_docs(4), 18 + ["<C-Space>"] = cmp.mapping.complete(), 19 + ["<C-e>"] = cmp.mapping.abort(), 20 + ["<CR>"] = cmp.mapping.confirm({ select = true }), 21 + }), 22 + sources = cmp.config.sources({ 23 + { name = "nvim_lsp" }, 24 + { name = "luasnip" }, 25 + { name = "async_path" }, 26 + }, { 27 + { name = "buffer" }, 28 + }), 29 + }) 30 + 31 + cmp.setup.cmdline(":", { 32 + mapping = cmp.mapping.preset.cmdline(), 33 + sources = cmp.config.sources({ 34 + { name = "async_path" }, 35 + }, { 36 + { name = "cmdline" }, 37 + }), 38 + })
+90
candy/lua/marshmallow/defaults.lua
···
··· 1 + -- Leader -- 2 + vim.g.mapleader = " " 3 + vim.o.timeout = true 4 + vim.o.timeoutlen = 300 5 + 6 + -- Terminal -- 7 + vim.opt.termguicolors = true 8 + 9 + -- Number / Gutter / Column -- 10 + vim.opt.nu = true 11 + vim.opt.rnu = true 12 + vim.opt.signcolumn = "yes" 13 + 14 + -- Mouse -- 15 + vim.opt.mousemodel = "extend" 16 + 17 + -- Status -- 18 + vim.opt.showmode = false 19 + vim.opt.cmdheight = 0 20 + vim.opt.laststatus = 3 -- Global status 21 + 22 + -- Scrolloff -- 23 + vim.opt.scrolloff = 5 24 + vim.opt.sidescrolloff = 8 25 + 26 + -- Cursor -- 27 + vim.opt.cursorline = true 28 + 29 + -- Splits -- 30 + vim.opt.splitbelow = true 31 + vim.opt.splitright = true 32 + 33 + -- GUI -- 34 + vim.opt.guifont = { "JetBrainsMono Nerd Font Mono", ":h14:w-1" } 35 + 36 + -- Diagnostics -- 37 + vim.diagnostic.config({ 38 + virtual_text = false, 39 + signs = false, 40 + update_in_insert = false, 41 + severity_sort = true, 42 + }) 43 + 44 + -- Chars -- 45 + vim.opt.showbreak = "↪ " 46 + vim.opt.list = true 47 + vim.opt.listchars = "space:.,tab:▎·,trail:." 48 + 49 + -- Tabs / Spaces -- 50 + local tab_width = 8 51 + 52 + vim.opt.tabstop = tab_width 53 + vim.opt.shiftwidth = tab_width 54 + vim.opt.softtabstop = tab_width 55 + 56 + -- Folds -- 57 + vim.opt.foldmethod = "expr" 58 + vim.opt.foldexpr = "nvim_treesitter#foldexpr()" 59 + vim.opt.foldenable = false 60 + 61 + -- Gui -- 62 + vim.opt.guifont = { "JetBrainsMono Nerd Font Mono", ":h14:w-1" } 63 + 64 + vim.g.neovide_input_use_logo = 1 65 + 66 + vim.g.neovide_floating_blur_amount_x = 2.0 67 + vim.g.neovide_floating_blur_amount_y = 2.0 68 + 69 + vim.g.neovide_hide_mouse_when_typing = true 70 + 71 + vim.g.neovide_cursor_animate_command_line = false 72 + 73 + vim.g.neovide_cursor_animation_length = 0.1 74 + 75 + vim.g.winblend = 30 76 + vim.g.pumblend = 30 77 + 78 + vim.g.neovide_scale_factor = 1.25 79 + 80 + vim.g.neovide_padding_top = 10 81 + vim.g.neovide_padding_bottom = 10 82 + vim.g.neovide_padding_right = 10 83 + vim.g.neovide_padding_left = 10 84 + 85 + vim.g.neovide_transparency = 0.9 86 + 87 + vim.g.neovide_refresh_rate = 240 88 + 89 + -- Is this okay?? 90 + vim.opt.linespace = -2
+38
candy/lua/marshmallow/files.lua
···
··· 1 + require("mini.files").setup({ 2 + options = { 3 + use_as_default_explorer = true, 4 + permanant_delete = false, 5 + }, 6 + windows = { 7 + preview = true, 8 + }, 9 + }) 10 + 11 + local id = vim.api.nvim_create_augroup("marshmallow-mini-files", { 12 + clear = true, 13 + }) 14 + 15 + local show_dotfiles = true 16 + 17 + local filter_show = function() 18 + return true 19 + end 20 + 21 + local filter_hide = function(fs_entry) 22 + return not vim.startswith(fs_entry.name, ".") 23 + end 24 + 25 + local toggle_dotfiles = function() 26 + show_dotfiles = not show_dotfiles 27 + local new_filter = show_dotfiles and filter_show or filter_hide 28 + require("mini.files").refresh({ content = { filter = new_filter } }) 29 + end 30 + 31 + vim.api.nvim_create_autocmd("User", { 32 + pattern = "MiniFilesBufferCreate", 33 + group = id, 34 + callback = function(args) 35 + local buf_id = args.data.buf_id 36 + vim.keymap.set("n", "g.", toggle_dotfiles, { buffer = buf_id, desc = "Toggle dotfiles" }) 37 + end, 38 + })
+19
candy/lua/marshmallow/format.lua
···
··· 1 + -- Conform keymaps set in `lsp` 2 + 3 + require("conform").setup({ 4 + formatters_by_ft = { 5 + lua = { "stylua" }, 6 + -- Use a sub-list to run only the first available formatter 7 + javascript = { { "prettierd", "prettier" } }, 8 + nix = { "alejandra" }, 9 + toml = { "taplo" }, 10 + sql = { "sql_formatter" }, 11 + ["*"] = { "injected" }, 12 + }, 13 + format_on_save = { 14 + -- These options will be passed to conform.format() 15 + timeout_ms = 500, 16 + lsp_fallback = true, 17 + }, 18 + }) 19 +
+15
candy/lua/marshmallow/init.lua
···
··· 1 + require("marshmallow.defaults") 2 + require("marshmallow.remap") 3 + require("marshmallow.colorscheme") 4 + require("marshmallow.treesitter") 5 + require("marshmallow.completion") 6 + require("marshmallow.lsp") 7 + require("marshmallow.snippets") 8 + 9 + -- Too short for file 10 + require("mini.pick").setup() 11 + 12 + require("marshmallow.format") 13 + require("marshmallow.clue") 14 + require("marshmallow.files") 15 + require("marshmallow.usercommand")
+61
candy/lua/marshmallow/lsp.lua
···
··· 1 + local lspconfig = require("lspconfig") 2 + local group = vim.api.nvim_create_augroup("marsh-lsp", {}) 3 + 4 + vim.api.nvim_create_autocmd("LspAttach", { 5 + group = group, 6 + callback = function(ev) 7 + local client = vim.lsp.get_client_by_id(ev.data.client_id) 8 + local bufnr = ev.buf 9 + 10 + if vim.lsp.inlay_hint.enable ~= nil then 11 + vim.lsp.inlay_hint.enable(bufnr, true) 12 + end 13 + 14 + local opts = { noremap = true, silent = true } 15 + vim.keymap.set("n", "E", vim.diagnostic.open_float, opts) 16 + vim.keymap.set("n", "[d", vim.diagnostic.goto_prev, opts) 17 + vim.keymap.set("n", "]d", vim.diagnostic.goto_next, opts) 18 + vim.keymap.set( 19 + "n", 20 + "<space>q", 21 + vim.diagnostic.setloclist, 22 + { noremap = true, silent = true, desc = "Add diagnostics to list" } 23 + ) 24 + 25 + local bufopts = { noremap = true, silent = true, buffer = bufnr } 26 + 27 + vim.keymap.set("n", "gD", vim.lsp.buf.declaration, bufopts) 28 + vim.keymap.set("n", "gd", vim.lsp.buf.definition, bufopts) 29 + vim.keymap.set("n", "K", vim.lsp.buf.hover, bufopts) 30 + vim.keymap.set("n", "gi", vim.lsp.buf.implementation, bufopts) 31 + vim.keymap.set("n", "<C-k>", vim.lsp.buf.signature_help, bufopts) 32 + vim.keymap.set("n", "cd", vim.lsp.buf.rename, bufopts) 33 + vim.keymap.set( 34 + { "n", "v" }, 35 + "ga", 36 + vim.lsp.buf.code_action, 37 + { noremap = true, silent = true, buffer = bufnr, desc = "Code Actions" } 38 + ) 39 + vim.keymap.set("n", "gr", vim.lsp.buf.references, bufopts) 40 + vim.keymap.set("n", "<leader>r", function() 41 + require("conform").format() 42 + end, { noremap = true, silent = true, buffer = bufnr, desc = "Format document" }) 43 + end, 44 + }) 45 + 46 + lspconfig.lua_ls.setup({ 47 + settings = { 48 + Lua = { 49 + format = { 50 + enable = false, 51 + }, 52 + runtime = { version = "LuaJIT" }, 53 + workspace = { checkThirdParty = false }, 54 + telemetry = { enable = false }, 55 + diagnostics = { globals = { "vim" } }, 56 + completion = { 57 + callSnippet = "Replace", 58 + }, 59 + }, 60 + }, 61 + })
+99
candy/lua/marshmallow/remap.lua
···
··· 1 + require("which-key").setup({}) 2 + -- Other keymaps set in `remap` 3 + 4 + vim.keymap.set("n", "<C-s>", ":w<cr>", { silent = true }) 5 + 6 + -- Window movement -- 7 + vim.keymap.set("n", "<C-L>", "<C-W><C-L>", { noremap = true, silent = true }) 8 + vim.keymap.set("n", "<C-K>", "<C-W><C-K>", { noremap = true, silent = true }) 9 + vim.keymap.set("n", "<C-J>", "<C-W><C-J>", { noremap = true, silent = true }) 10 + vim.keymap.set("n", "<C-H>", "<C-W><C-H>", { noremap = true, silent = true }) 11 + 12 + -- Wrapped line movement -- 13 + vim.keymap.set("n", "k", "v:count == 0 ? 'gk' : 'k'", { expr = true, silent = true }) 14 + vim.keymap.set("n", "j", "v:count == 0 ? 'gj' : 'j'", { expr = true, silent = true }) 15 + 16 + -- Lazygit -- 17 + vim.keymap.set({ "n" }, "<leader>tl", function() 18 + if vim.g.marsh_lazygit_buf == nil then 19 + vim.cmd.terminal("lazygit") 20 + vim.cmd.startinsert() 21 + vim.g.marsh_lazygit_buf = vim.api.nvim_win_get_buf(0) 22 + 23 + vim.api.nvim_create_autocmd({ "BufDelete" }, { 24 + buffer = vim.g.marsh_lazygit_buf, 25 + callback = function() 26 + vim.g.marsh_lazygit_buf = nil 27 + end, 28 + }) 29 + else 30 + vim.api.nvim_set_current_buf(vim.g.marsh_lazygit_buf) 31 + end 32 + end, { 33 + desc = "Open Lazygit", 34 + }) 35 + 36 + -- Terminal -- 37 + 38 + -- Leave normal mode 39 + vim.keymap.set("t", "<C-w>n", "<C-\\><C-n><C-w>h", { silent = true }) 40 + vim.keymap.set("t", "<C-w><C-n>", "<C-\\><C-n><C-w>h", { silent = true }) 41 + 42 + -- Grep / Pick -- 43 + vim.keymap.set("n", "<leader>f", require("mini.pick").builtin.files, { desc = "Pick (root dir)" }) 44 + 45 + vim.keymap.set("n", "<leader>/", function() 46 + local cope = function() 47 + vim.api.nvim_buf_delete(require("mini.pick").get_picker_matches().current.bufnr, {}) 48 + end 49 + local buffer_mappings = { wipeout = { char = "<C-q>", func = cope } } 50 + require("mini.pick").builtin.grep_live({}, { mappings = buffer_mappings }) 51 + end, { desc = "Grep (root dir)" }) 52 + 53 + vim.keymap.set("n", "<leader>/", function() 54 + local wipeout_current = function() 55 + vim.api.nvim_buf_delete(require("mini.pick").get_picker_matches().current.bufnr, {}) 56 + end 57 + local buffer_mappings = { wipeout = { char = "<C-d>", func = wipeout_current } } 58 + require("mini.pick").builtin.buffers({ include_current = false }, { mappings = buffer_mappings }) 59 + end, { desc = "Switch Buffer" }) 60 + 61 + -- Harpoon -- 62 + local harpoon = require("harpoon") 63 + harpoon:setup() 64 + vim.keymap.set("n", "<leader>a", function() 65 + harpoon:list():append() 66 + end, { desc = "Harpoon file" }) 67 + vim.keymap.set("n", "<leader><C-space>", function() 68 + harpoon.ui:toggle_quick_menu(harpoon:list()) 69 + end, { desc = "Toggle Harpoon" }) 70 + for i = 1, 5 do 71 + vim.keymap.set("n", "<M-" .. i .. ">", function() 72 + harpoon:list():select(i) 73 + end, { desc = "Switch to file " .. i }) 74 + end 75 + 76 + -- Files -- 77 + vim.keymap.set("n", "-", function() 78 + require("mini.files").open(vim.api.nvim_buf_get_name(0)) 79 + end, { desc = "Open Files" }) 80 + 81 + -- Gui -- 82 + if vim.g.neovide then 83 + local change_scale_factor = function(delta) 84 + vim.g.neovide_scale_factor = vim.g.neovide_scale_factor * delta 85 + end 86 + 87 + vim.keymap.set("n", "<C-=>", function() 88 + change_scale_factor(1.25) 89 + end) 90 + vim.keymap.set("n", "<C-->", function() 91 + change_scale_factor(1 / 1.25) 92 + end) 93 + 94 + vim.keymap.set("v", "<D-c>", '"+y') -- Copy 95 + vim.keymap.set("n", "<D-v>", '"+P') -- Paste normal mode 96 + vim.keymap.set("v", "<D-v>", '"+P') -- Paste visual mode 97 + vim.keymap.set("c", "<D-v>", "<C-R>+") -- Paste command mode 98 + vim.keymap.set("i", "<D-v>", '<ESC>l"+Pli') -- Paste insert mode 99 + end
+19
candy/lua/marshmallow/snippets.lua
···
··· 1 + -- Awaiting mini.snippets 2 + 3 + local ls = require("luasnip") 4 + 5 + vim.keymap.set({ "i" }, "<C-K>", function() 6 + ls.expand() 7 + end, { silent = true }) 8 + vim.keymap.set({ "i", "s" }, "<C-L>", function() 9 + ls.jump(1) 10 + end, { silent = true }) 11 + vim.keymap.set({ "i", "s" }, "<C-J>", function() 12 + ls.jump(-1) 13 + end, { silent = true }) 14 + 15 + vim.keymap.set({ "i", "s" }, "<C-E>", function() 16 + if ls.choice_active() then 17 + ls.change_choice(1) 18 + end 19 + end, { silent = true })
+5
candy/lua/marshmallow/treesitter.lua
···
··· 1 + require("nvim-treesitter.configs").setup({ 2 + highlight = { 3 + enable = true, 4 + }, 5 + })
+7
candy/lua/marshmallow/usercommand.lua
···
··· 1 + vim.api.nvim_create_user_command("Trans", function() 2 + if vim.g.neovide_transparency ~= 1 then 3 + vim.g.neovide_transparency = 1 4 + else 5 + vim.g.neovide_transparency = 0.9 6 + end 7 + end, {})
+272
flake.lock
···
··· 1 + { 2 + "nodes": { 3 + "flake-compat": { 4 + "flake": false, 5 + "locked": { 6 + "lastModified": 1696426674, 7 + "narHash": "sha256-kvjfFW7WAETZlt09AgDn1MrtKzP7t90Vf7vypd3OL1U=", 8 + "owner": "edolstra", 9 + "repo": "flake-compat", 10 + "rev": "0f9255e01c2351cc7d116c072cb317785dd33b33", 11 + "type": "github" 12 + }, 13 + "original": { 14 + "owner": "edolstra", 15 + "repo": "flake-compat", 16 + "type": "github" 17 + } 18 + }, 19 + "flake-parts": { 20 + "inputs": { 21 + "nixpkgs-lib": [ 22 + "overlay", 23 + "nixpkgs" 24 + ] 25 + }, 26 + "locked": { 27 + "lastModified": 1706830856, 28 + "narHash": "sha256-a0NYyp+h9hlb7ddVz4LUn1vT/PLwqfrWYcHMvFB1xYg=", 29 + "owner": "hercules-ci", 30 + "repo": "flake-parts", 31 + "rev": "b253292d9c0a5ead9bc98c4e9a26c6312e27d69f", 32 + "type": "github" 33 + }, 34 + "original": { 35 + "owner": "hercules-ci", 36 + "repo": "flake-parts", 37 + "type": "github" 38 + } 39 + }, 40 + "flake-parts_2": { 41 + "inputs": { 42 + "nixpkgs-lib": [ 43 + "overlay", 44 + "hercules-ci-effects", 45 + "nixpkgs" 46 + ] 47 + }, 48 + "locked": { 49 + "lastModified": 1701473968, 50 + "narHash": "sha256-YcVE5emp1qQ8ieHUnxt1wCZCC3ZfAS+SRRWZ2TMda7E=", 51 + "owner": "hercules-ci", 52 + "repo": "flake-parts", 53 + "rev": "34fed993f1674c8d06d58b37ce1e0fe5eebcb9f5", 54 + "type": "github" 55 + }, 56 + "original": { 57 + "id": "flake-parts", 58 + "type": "indirect" 59 + } 60 + }, 61 + "flake-utils": { 62 + "inputs": { 63 + "systems": "systems" 64 + }, 65 + "locked": { 66 + "lastModified": 1705309234, 67 + "narHash": "sha256-uNRRNRKmJyCRC/8y1RqBkqWBLM034y4qN7EprSdmgyA=", 68 + "owner": "numtide", 69 + "repo": "flake-utils", 70 + "rev": "1ef2e671c3b0c19053962c07dbda38332dcebf26", 71 + "type": "github" 72 + }, 73 + "original": { 74 + "owner": "numtide", 75 + "repo": "flake-utils", 76 + "type": "github" 77 + } 78 + }, 79 + "flake-utils_2": { 80 + "inputs": { 81 + "systems": "systems_2" 82 + }, 83 + "locked": { 84 + "lastModified": 1701680307, 85 + "narHash": "sha256-kAuep2h5ajznlPMD9rnQyffWG8EM/C73lejGofXvdM8=", 86 + "owner": "numtide", 87 + "repo": "flake-utils", 88 + "rev": "4022d587cbbfd70fe950c1e2083a02621806a725", 89 + "type": "github" 90 + }, 91 + "original": { 92 + "owner": "numtide", 93 + "repo": "flake-utils", 94 + "type": "github" 95 + } 96 + }, 97 + "harpoon-nvim": { 98 + "flake": false, 99 + "locked": { 100 + "lastModified": 1706306053, 101 + "narHash": "sha256-RjwNUuKQpLkRBX3F9o25Vqvpu3Ah1TCFQ5Dk4jXhsbI=", 102 + "owner": "ThePrimeagen", 103 + "repo": "harpoon", 104 + "rev": "a38be6e0dd4c6db66997deab71fc4453ace97f9c", 105 + "type": "github" 106 + }, 107 + "original": { 108 + "owner": "ThePrimeagen", 109 + "ref": "harpoon2", 110 + "repo": "harpoon", 111 + "type": "github" 112 + } 113 + }, 114 + "hercules-ci-effects": { 115 + "inputs": { 116 + "flake-parts": "flake-parts_2", 117 + "nixpkgs": [ 118 + "overlay", 119 + "nixpkgs" 120 + ] 121 + }, 122 + "locked": { 123 + "lastModified": 1708547820, 124 + "narHash": "sha256-xU/KC1PWqq5zL9dQ9wYhcdgxAwdeF/dJCLPH3PNZEBg=", 125 + "owner": "hercules-ci", 126 + "repo": "hercules-ci-effects", 127 + "rev": "0ca27bd58e4d5be3135a4bef66b582e57abe8f4a", 128 + "type": "github" 129 + }, 130 + "original": { 131 + "owner": "hercules-ci", 132 + "repo": "hercules-ci-effects", 133 + "type": "github" 134 + } 135 + }, 136 + "neovim-flake": { 137 + "inputs": { 138 + "flake-utils": "flake-utils_2", 139 + "nixpkgs": [ 140 + "overlay", 141 + "nixpkgs" 142 + ] 143 + }, 144 + "locked": { 145 + "dir": "contrib", 146 + "lastModified": 1708643613, 147 + "narHash": "sha256-voR4Bhc33nm9ap6f7fwwxp0z/7lro3nKKNSN7RDO/vQ=", 148 + "owner": "neovim", 149 + "repo": "neovim", 150 + "rev": "df1795cd6bdf7e1db31c87d4a33d89a2c8269560", 151 + "type": "github" 152 + }, 153 + "original": { 154 + "dir": "contrib", 155 + "owner": "neovim", 156 + "repo": "neovim", 157 + "type": "github" 158 + } 159 + }, 160 + "nixpkgs": { 161 + "locked": { 162 + "lastModified": 1708564076, 163 + "narHash": "sha256-KKkqoxlgx9n3nwST7O2kM8tliDOijiSSNaWuSkiozdQ=", 164 + "owner": "NixOS", 165 + "repo": "nixpkgs", 166 + "rev": "98b00b6947a9214381112bdb6f89c25498db4959", 167 + "type": "github" 168 + }, 169 + "original": { 170 + "owner": "NixOS", 171 + "ref": "nixpkgs-unstable", 172 + "repo": "nixpkgs", 173 + "type": "github" 174 + } 175 + }, 176 + "nixpkgs_2": { 177 + "locked": { 178 + "lastModified": 1708564076, 179 + "narHash": "sha256-KKkqoxlgx9n3nwST7O2kM8tliDOijiSSNaWuSkiozdQ=", 180 + "owner": "NixOS", 181 + "repo": "nixpkgs", 182 + "rev": "98b00b6947a9214381112bdb6f89c25498db4959", 183 + "type": "github" 184 + }, 185 + "original": { 186 + "owner": "NixOS", 187 + "ref": "nixpkgs-unstable", 188 + "repo": "nixpkgs", 189 + "type": "github" 190 + } 191 + }, 192 + "overlay": { 193 + "inputs": { 194 + "flake-compat": "flake-compat", 195 + "flake-parts": "flake-parts", 196 + "hercules-ci-effects": "hercules-ci-effects", 197 + "neovim-flake": "neovim-flake", 198 + "nixpkgs": "nixpkgs_2" 199 + }, 200 + "locked": { 201 + "lastModified": 1708646639, 202 + "narHash": "sha256-WxAbuR0ZtCiW1PDaO9SEv99xKM5uMWuGG0n/OuZBk1g=", 203 + "owner": "nix-community", 204 + "repo": "neovim-nightly-overlay", 205 + "rev": "c0e693f96608883cb9f2fca171c84ef2f04e52ad", 206 + "type": "github" 207 + }, 208 + "original": { 209 + "owner": "nix-community", 210 + "repo": "neovim-nightly-overlay", 211 + "type": "github" 212 + } 213 + }, 214 + "root": { 215 + "inputs": { 216 + "flake-utils": "flake-utils", 217 + "harpoon-nvim": "harpoon-nvim", 218 + "nixpkgs": "nixpkgs", 219 + "overlay": "overlay", 220 + "stay-in-place-nvim": "stay-in-place-nvim" 221 + } 222 + }, 223 + "stay-in-place-nvim": { 224 + "flake": false, 225 + "locked": { 226 + "lastModified": 1674224618, 227 + "narHash": "sha256-Cq9/JQoxuUiAQPobiSizwmvdxJRjE7XjG47A38wdVwY=", 228 + "owner": "gbprod", 229 + "repo": "stay-in-place.nvim", 230 + "rev": "0628b6db8970fc731abf9608d6f80659b58932c9", 231 + "type": "github" 232 + }, 233 + "original": { 234 + "owner": "gbprod", 235 + "repo": "stay-in-place.nvim", 236 + "type": "github" 237 + } 238 + }, 239 + "systems": { 240 + "locked": { 241 + "lastModified": 1681028828, 242 + "narHash": "sha256-Vy1rq5AaRuLzOxct8nz4T6wlgyUR7zLU309k9mBC768=", 243 + "owner": "nix-systems", 244 + "repo": "default", 245 + "rev": "da67096a3b9bf56a91d16901293e51ba5b49a27e", 246 + "type": "github" 247 + }, 248 + "original": { 249 + "owner": "nix-systems", 250 + "repo": "default", 251 + "type": "github" 252 + } 253 + }, 254 + "systems_2": { 255 + "locked": { 256 + "lastModified": 1681028828, 257 + "narHash": "sha256-Vy1rq5AaRuLzOxct8nz4T6wlgyUR7zLU309k9mBC768=", 258 + "owner": "nix-systems", 259 + "repo": "default", 260 + "rev": "da67096a3b9bf56a91d16901293e51ba5b49a27e", 261 + "type": "github" 262 + }, 263 + "original": { 264 + "owner": "nix-systems", 265 + "repo": "default", 266 + "type": "github" 267 + } 268 + } 269 + }, 270 + "root": "root", 271 + "version": 7 272 + }
+65
flake.nix
···
··· 1 + { 2 + description = "my-neovim"; 3 + inputs.nixpkgs.url = "github:NixOS/nixpkgs/nixpkgs-unstable"; 4 + inputs.flake-utils.url = "github:numtide/flake-utils"; 5 + inputs.overlay.url = "github:nix-community/neovim-nightly-overlay"; 6 + 7 + inputs.harpoon-nvim.url = "github:ThePrimeagen/harpoon/harpoon2"; 8 + inputs.harpoon-nvim.flake = false; 9 + inputs.stay-in-place-nvim.url = "github:gbprod/stay-in-place.nvim"; 10 + inputs.stay-in-place-nvim.flake = false; 11 + 12 + outputs = inputs @ { 13 + nixpkgs, 14 + self, 15 + flake-utils, 16 + ... 17 + }: 18 + flake-utils.lib.eachDefaultSystem (system: let 19 + inherit (nixpkgs) lib; 20 + 21 + pkgs = nixpkgs.legacyPackages.${system}; 22 + neovim = inputs.overlay.packages.${system}.default; 23 + config = pkgs.neovimUtils.makeNeovimConfig { 24 + plugins = with pkgs.vimPlugins; [ 25 + nvim-treesitter.withAllGrammars 26 + nvim-lspconfig 27 + catppuccin-nvim 28 + mini-nvim 29 + luasnip 30 + conform-nvim 31 + plenary-nvim 32 + which-key-nvim 33 + (pkgs.vimUtils.buildVimPlugin { 34 + src = inputs.harpoon-nvim; 35 + name = "harpoon"; 36 + }) 37 + rustaceanvim 38 + 39 + # nvim-cmp 40 + nvim-cmp 41 + cmp-nvim-lsp 42 + cmp-cmdline 43 + cmp-async-path 44 + cmp-buffer 45 + luasnip 46 + cmp_luasnip 47 + ]; 48 + customRC = ""; 49 + }; 50 + 51 + nvim-package = pkgs.wrapNeovimUnstable neovim (config 52 + // { 53 + wrapRc = false; 54 + }); 55 + 56 + bin = pkgs.writeScriptBin "nvim" '' 57 + NVIM_APPNAME=candy XDG_CONFIG_HOME=${./.} ${lib.getExe nvim-package} "$@" 58 + ''; 59 + in { 60 + packages.default = bin; 61 + devShells.default = pkgs.mkShell { 62 + packages = [bin]; 63 + }; 64 + }); 65 + }
-6
ftplugin/markdown.lua
··· 1 - vim.b.minicursorword_disable = true 2 - vim.o.textwidth = 80 3 - vim.o.wrap = false 4 - vim.o.spell = true 5 - vim.o.signcolumn = "no" 6 - vim.b.show_word_count = true
···
-6
ftplugin/org.lua
··· 1 - vim.b.minicursorword_disable = true 2 - vim.o.textwidth = 80 3 - vim.o.wrap = false 4 - vim.o.spell = true 5 - vim.o.signcolumn = "no" 6 - vim.b.show_word_count = true
···
-1
ftplugin/rust.lua
··· 1 - vim.cmd.compiler("cargo")
···
-3
init.lua
··· 1 - vim.loader.enable() 2 - 3 - require("marshmallow")
···
-49
lazy-lock.json
··· 1 - { 2 - "LuaSnip": { "branch": "master", "commit": "2dbef19461198630b3d7c39f414d09fb07d1fdd2" }, 3 - "catppuccin": { "branch": "main", "commit": "afab7ec2a79c7127627dede79c0018b6e45663d0" }, 4 - "cellular-automaton.nvim": { "branch": "main", "commit": "b7d056dab963b5d3f2c560d92937cb51db61cb5b" }, 5 - "cmp-buffer": { "branch": "main", "commit": "3022dbc9166796b644a841a02de8dd1cc1d311fa" }, 6 - "cmp-cmdline": { "branch": "main", "commit": "8ee981b4a91f536f52add291594e89fb6645e451" }, 7 - "cmp-git": { "branch": "main", "commit": "8d8993680d627c8f13bd85094eba84604107dbdd" }, 8 - "cmp-nvim-lsp": { "branch": "main", "commit": "5af77f54de1b16c34b23cba810150689a3a90312" }, 9 - "cmp-path": { "branch": "main", "commit": "91ff86cd9c29299a64f968ebb45846c485725f23" }, 10 - "cmp_luasnip": { "branch": "master", "commit": "05a9ab28b53f71d1aece421ef32fee2cb857a843" }, 11 - "conform.nvim": { "branch": "master", "commit": "d99b75b4aedf0e912f41c5740a7267de739cddac" }, 12 - "direnv.vim": { "branch": "master", "commit": "ab2a7e08dd630060cd81d7946739ac7442a4f269" }, 13 - "fidget.nvim": { "branch": "legacy", "commit": "2f7c08f45639a64a5c0abcf67321d52c3f499ae6" }, 14 - "gitsigns.nvim": { "branch": "main", "commit": "2c2463dbd82eddd7dbab881c3a62cfbfbe3c67ae" }, 15 - "harpoon": { "branch": "harpoon2", "commit": "a38be6e0dd4c6db66997deab71fc4453ace97f9c" }, 16 - "heirline.nvim": { "branch": "master", "commit": "1b6f12e011f225a26aa162905cbf68804479e7e6" }, 17 - "ibl": { "branch": "master", "commit": "12e92044d313c54c438bd786d11684c88f6f78cd" }, 18 - "lazy.nvim": { "branch": "main", "commit": "aedcd79811d491b60d0a6577a9c1701063c2a609" }, 19 - "leap.nvim": { "branch": "main", "commit": "14eda5bb233354933baa99b6d40bef3a40dbeaae" }, 20 - "lsp_lines.nvim": { "branch": "main", "commit": "cf2306dd332e34a3e91075b40bdd4f6db824b2ee" }, 21 - "lspkind.nvim": { "branch": "master", "commit": "1735dd5a5054c1fb7feaf8e8658dbab925f4f0cf" }, 22 - "mini.comment": { "branch": "main", "commit": "67f00d3ebbeae15e84584d971d0c32aad4f4f3a4" }, 23 - "mini.cursorword": { "branch": "main", "commit": "53471812e92e05d4daf821fea1ce1fee2ba8d526" }, 24 - "mini.files": { "branch": "main", "commit": "7139ec84b01fc439ed418690c4a9e07a9f70a8d5" }, 25 - "mini.move": { "branch": "main", "commit": "03a16d64e58da0a871de6493c3d8fa1101baef46" }, 26 - "mini.pairs": { "branch": "main", "commit": "552062017ff207e1f35f7028bfb3f27c7421d22d" }, 27 - "mini.pick": { "branch": "main", "commit": "95c15bb348daa810272ffa03dc216f73143aa6fb" }, 28 - "mini.surround": { "branch": "main", "commit": "3c98c6be8028139a114081e06d2a9f1ac3f4b7fc" }, 29 - "nvim": { "branch": "main", "commit": "afab7ec2a79c7127627dede79c0018b6e45663d0" }, 30 - "nvim-cmp": { "branch": "main", "commit": "538e37ba87284942c1d76ed38dd497e54e65b891" }, 31 - "nvim-lspconfig": { "branch": "master", "commit": "8917d2c830e04bf944a699b8c41f097621283828" }, 32 - "nvim-spider": { "branch": "main", "commit": "dc371a116041c49ae6d3813f6e1722c2dcdabdcf" }, 33 - "nvim-treesitter": { "branch": "master", "commit": "d4dac523d2546afc266eb9b5a7986690b5319c41" }, 34 - "nvim-treesitter-context": { "branch": "master", "commit": "9c06b115abc57c99cf0aa81dc29490f5001f57a1" }, 35 - "nvim-treesitter-textobjects": { "branch": "master", "commit": "19a91a38b02c1c28c14e0ba468d20ae1423c39b2" }, 36 - "nvim-ts-autotag": { "branch": "main", "commit": "a65b202cfd08e0e69e531eab737205ff5bc082a4" }, 37 - "nvim-web-devicons": { "branch": "master", "commit": "b427ac5f9dff494f839e81441fb3f04a58cbcfbc" }, 38 - "open-handlers.nvim": { "branch": "main", "commit": "79e4137fac1b153ad8c20b84d86cfa42c70c8397" }, 39 - "playground": { "branch": "master", "commit": "ba48c6a62a280eefb7c85725b0915e021a1a0749" }, 40 - "plenary.nvim": { "branch": "master", "commit": "663246936325062427597964d81d30eaa42ab1e4" }, 41 - "rustaceanvim": { "branch": "master", "commit": "bc8c4b8f7606d5b7c067cd8369e25c1a7ff77bd0" }, 42 - "schemastore.nvim": { "branch": "main", "commit": "11d661ae5e08f19b5256661a6491a66fa26cdcfc" }, 43 - "smartcolumn.nvim": { "branch": "main", "commit": "a52915d6d9abf9972e249ebcffcc651cf9b062dd" }, 44 - "stay-in-place.nvim": { "branch": "main", "commit": "0628b6db8970fc731abf9608d6f80659b58932c9" }, 45 - "typescript-tools.nvim": { "branch": "master", "commit": "c43d9580c3ff5999a1eabca849f807ab33787ea7" }, 46 - "undotree": { "branch": "master", "commit": "d9c8b4ef872e078e8c4080812e5a3ed56d151c00" }, 47 - "vim-fugitive": { "branch": "master", "commit": "e7bf502a6ae492f42a91d231864e25630286319b" }, 48 - "which-key.nvim": { "branch": "main", "commit": "4433e5ec9a507e5097571ed55c02ea9658fb268a" } 49 - }
···
-28
lua/marshmallow/au.lua
··· 1 - local id = vim.api.nvim_create_augroup("Marshmallow", { 2 - clear = true, 3 - }) 4 - 5 - vim.api.nvim_create_autocmd({ "BufRead", "BufNewFile" }, { 6 - pattern = "*.mdx", 7 - group = id, 8 - callback = function() 9 - vim.o.filetype = "markdown" 10 - end, 11 - }) 12 - 13 - vim.api.nvim_create_autocmd({ "VimResized" }, { 14 - group = id, 15 - callback = function() 16 - vim.cmd("wincmd =") 17 - end, 18 - }) 19 - 20 - vim.api.nvim_create_autocmd({ "TermOpen" }, { 21 - group = id, 22 - pattern = "*", 23 - callback = function() 24 - vim.opt_local.number = false 25 - vim.opt_local.relativenumber = false 26 - vim.opt_local.signcolumn = "no" 27 - end, 28 - })
···
-100
lua/marshmallow/commands.lua
··· 1 - vim.api.nvim_create_user_command("Detach", function() 2 - local tuis = vim.api.nvim_list_uis() 3 - 4 - for _, value in ipairs(tuis) do 5 - vim.fn.chanclose(value.chan) 6 - end 7 - end, {}) 8 - 9 - vim.api.nvim_create_user_command("Cd", function() 10 - vim.cmd("cd %:p:h") 11 - end, { 12 - complete = "file", 13 - nargs = 1, 14 - }) 15 - 16 - vim.api.nvim_create_user_command("Tcd", function() 17 - vim.cmd("tcd %:p:h") 18 - end, { 19 - complete = "file", 20 - nargs = 1, 21 - }) 22 - 23 - vim.api.nvim_create_user_command("Lcd", function() 24 - vim.cmd("lcd %:p:h") 25 - end, { 26 - complete = "file", 27 - nargs = 1, 28 - }) 29 - 30 - local ns = vim.api.nvim_create_namespace("marker") 31 - 32 - local colors = { "yellow", "blue", "red" } 33 - local color_map = { 34 - yellow = "@text.todo", 35 - blue = "@text.note", 36 - red = "@text.danger", 37 - } 38 - 39 - vim.api.nvim_create_user_command("Mark", function(res) 40 - local begin_col = vim.api.nvim_buf_get_mark(0, "<")[2] 41 - local end_col = vim.api.nvim_buf_get_mark(0, ">")[2] 42 - local line1 = res.line1 43 - local line2 = res.line2 44 - 45 - if res.range == 0 then 46 - line1, begin_col = unpack(vim.api.nvim_buf_get_mark(0, "(")) 47 - line2, end_col = unpack(vim.api.nvim_buf_get_mark(0, ")")) 48 - end 49 - 50 - vim.b.marker_index = vim.b.marker_index or 0 51 - 52 - -- Yellow 53 - local hi = "Todo" 54 - 55 - if res.args == "clear" then 56 - vim.api.nvim_buf_clear_namespace(0, ns, line1 - 1, line2) 57 - return 58 - end 59 - 60 - if vim.tbl_contains(colors, res.args) then 61 - hi = color_map[res.args] 62 - else 63 - hi = color_map[colors[vim.b.marker_index % #colors + 1]] 64 - vim.b.marker_index = vim.b.marker_index + 1 65 - end 66 - 67 - -- Single line highlight 68 - if line1 == line2 then 69 - vim.api.nvim_buf_add_highlight(0, ns, hi, line1 - 1, begin_col, end_col + 1) 70 - return 71 - end 72 - 73 - for line = line1, line2 do 74 - -- At beginning 75 - if line == line1 then 76 - vim.api.nvim_buf_add_highlight(0, ns, hi, line - 1, begin_col, -1) 77 - goto continue 78 - end 79 - 80 - -- At end 81 - if line == line2 then 82 - vim.api.nvim_buf_add_highlight(0, ns, hi, line - 1, 0, end_col) 83 - goto continue 84 - end 85 - 86 - vim.api.nvim_buf_add_highlight(0, ns, hi, line - 1, 0, -1) 87 - 88 - ::continue:: 89 - end 90 - end, { 91 - range = true, 92 - nargs = "?", 93 - complete = function() 94 - return vim.list_extend({ "clear" }, colors) 95 - end, 96 - }) 97 - 98 - vim.api.nvim_create_user_command("MarkWipe", function() 99 - vim.api.nvim_buf_clear_namespace(0, ns, -1, -1) 100 - end, {})
···
-56
lua/marshmallow/defaults.lua
··· 1 - vim.wo.signcolumn = "yes" 2 - 3 - vim.opt.number = true 4 - vim.opt.relativenumber = true 5 - 6 - vim.o.undofile = true 7 - 8 - vim.o.mousemodel = "extend" 9 - 10 - -- Case insensitive searching UNLESS /C or capital in search 11 - vim.o.ignorecase = true 12 - vim.o.smartcase = true 13 - 14 - vim.o.termguicolors = true 15 - 16 - vim.o.showmode = false 17 - 18 - vim.o.wrapmargin = 2 19 - 20 - vim.o.expandtab = true 21 - -- number of spaces used for each indentation level 22 - vim.o.shiftwidth = 2 23 - -- number of spaces to be inserted when the 'Tab' key is pressed 24 - vim.o.softtabstop = 2 25 - -- number of spaces a tab character appears as 26 - vim.o.tabstop = 2 27 - 28 - vim.o.cmdheight = 0 29 - 30 - vim.o.sidescrolloff = 8 31 - vim.o.scrolloff = 5 32 - 33 - vim.opt.thesaurus:append({ "~/.config/nvim/thesaurus/mthesaur.txt" }) 34 - vim.g.tq_mthesaur_file = "~/.config/nvim/thesaurus/mthesaur.txt" 35 - vim.g.tq_openoffice_en_file = "~/Downloads/MyThes-1.0/th_en_US_new" 36 - 37 - vim.o.shortmess = "filnxtToOFcI" 38 - 39 - -- I use nf-fa nerd icons 40 - vim.fn.sign_define("DiagnosticSignError", { text = " ", texthl = "DiagnosticSignError" }) 41 - vim.fn.sign_define("DiagnosticSignWarn", { text = " ", texthl = "DiagnosticSignWarn" }) 42 - vim.fn.sign_define("DiagnosticSignInfo", { text = " ", texthl = "DiagnosticSignInfo" }) 43 - vim.fn.sign_define("DiagnosticSignHint", { text = "", texthl = "DiagnosticSignHint" }) 44 - 45 - vim.o.cursorline = true 46 - 47 - vim.o.splitbelow = true 48 - vim.o.splitright = true 49 - 50 - vim.o.laststatus = 3 51 - 52 - vim.opt.sessionoptions = { 53 - "buffers", 54 - "tabpages", 55 - "globals", 56 - }
···
-30
lua/marshmallow/init.lua
··· 1 - local lazypath = vim.fn.stdpath("data") .. "/lazy/lazy.nvim" 2 - if not vim.loop.fs_stat(lazypath) then 3 - vim.fn.system({ 4 - "git", 5 - "clone", 6 - "--filter=blob:none", 7 - "https://github.com/folke/lazy.nvim.git", 8 - "--branch=stable", -- latest stable release 9 - lazypath, 10 - }) 11 - end 12 - 13 - vim.opt.rtp:prepend(lazypath) 14 - 15 - vim.g.mapleader = " " 16 - 17 - require("lazy").setup("marshmallow.plugins", { 18 - change_detection = { 19 - notify = false, 20 - }, 21 - install = { 22 - colorscheme = { "catppuccin" }, 23 - }, 24 - }) 25 - 26 - require("marshmallow.defaults") 27 - require("marshmallow.remap") 28 - require("marshmallow.au") 29 - require("marshmallow.commands") 30 - require("marshmallow.neovide")
···
-59
lua/marshmallow/neovide.lua
··· 1 - if vim.g.neovide then 2 - vim.opt.guifont = { "JetBrainsMono Nerd Font Mono", ":h14:w-1" } 3 - 4 - vim.g.neovide_input_use_logo = 1 5 - 6 - vim.g.neovide_floating_blur_amount_x = 2.0 7 - vim.g.neovide_floating_blur_amount_y = 2.0 8 - 9 - vim.g.neovide_hide_mouse_when_typing = true 10 - 11 - vim.g.neovide_cursor_animate_command_line = false 12 - 13 - vim.g.neovide_cursor_animation_length = 0.1 14 - 15 - vim.g.winblend = 30 16 - vim.g.pumblend = 30 17 - 18 - vim.g.neovide_scale_factor = 1.25 19 - 20 - vim.g.neovide_padding_top = 10 21 - vim.g.neovide_padding_bottom = 10 22 - vim.g.neovide_padding_right = 10 23 - vim.g.neovide_padding_left = 10 24 - 25 - vim.g.neovide_transparency = 0.9 26 - 27 - -- TODO: Sort this out 28 - -- vim.g.neovide_theme = "auto" 29 - 30 - vim.g.neovide_refresh_rate = 240 31 - 32 - -- Is this okay?? 33 - vim.opt.linespace = -2 34 - 35 - local change_scale_factor = function(delta) 36 - vim.g.neovide_scale_factor = vim.g.neovide_scale_factor * delta 37 - end 38 - 39 - vim.keymap.set("n", "<C-=>", function() 40 - change_scale_factor(1.25) 41 - end) 42 - vim.keymap.set("n", "<C-->", function() 43 - change_scale_factor(1 / 1.25) 44 - end) 45 - 46 - vim.keymap.set("v", "<D-c>", '"+y') -- Copy 47 - vim.keymap.set("n", "<D-v>", '"+P') -- Paste normal mode 48 - vim.keymap.set("v", "<D-v>", '"+P') -- Paste visual mode 49 - vim.keymap.set("c", "<D-v>", "<C-R>+") -- Paste command mode 50 - vim.keymap.set("i", "<D-v>", '<ESC>l"+Pli') -- Paste insert mode 51 - end 52 - 53 - vim.api.nvim_create_user_command("Trans", function() 54 - if vim.g.neovide_transparency ~= 1 then 55 - vim.g.neovide_transparency = 1 56 - else 57 - vim.g.neovide_transparency = 0.9 58 - end 59 - end, {})
···
-48
lua/marshmallow/nix_pkgs.lua
··· 1 - local M = {} 2 - 3 - local get_cmd = function(package) 4 - return { "nix", "build", "--no-link", "--print-out-paths", "nixpkgs#" .. package } 5 - end 6 - 7 - local custom_error = function(obj) 8 - error("Something went wrong... " .. vim.inspect(obj)) 9 - return obj 10 - end 11 - 12 - ---Get path of a nix package. 13 - ---Returns string or |vim.SystemObj| on error. 14 - ---@param package string 15 - ---@return string|vim.SystemObj 16 - function M.get_sync(package) 17 - local obj = vim.system(get_cmd(package), { text = true }):wait() 18 - 19 - if obj.code ~= 0 then 20 - return custom_error(obj) 21 - end 22 - 23 - local str = obj.stdout:gsub("[\n\r]", "") 24 - return str 25 - end 26 - 27 - ---@async 28 - ---Asynchronously the path of a nix package 29 - ---Passes string or |vim.SystemObj| on error. 30 - ---@param package string 31 - ---@param on_complete function(path: string|vim.SystemObj) 32 - function M.get(package, on_complete) 33 - local on_exit = function(obj) 34 - if obj.code ~= 0 then 35 - return custom_error(obj) 36 - end 37 - 38 - vim.schedule(function() 39 - local str = obj.stdout:gsub("[\n\r]", "") 40 - on_complete(str) 41 - vim.cmd("LspStart") 42 - end) 43 - end 44 - 45 - vim.system(get_cmd(package), { text = true }, on_exit) 46 - end 47 - 48 - return M
···
-112
lua/marshmallow/plugins/cmp.lua
··· 1 - return { 2 - { 3 - "hrsh7th/nvim-cmp", 4 - dependencies = { 5 - "neovim/nvim-lspconfig", 6 - "hrsh7th/cmp-nvim-lsp", 7 - "hrsh7th/cmp-buffer", 8 - "hrsh7th/cmp-path", 9 - "hrsh7th/nvim-cmp", 10 - "hrsh7th/cmp-cmdline", 11 - "L3MON4D3/LuaSnip", 12 - "saadparwaiz1/cmp_luasnip", 13 - "onsails/lspkind.nvim", 14 - "petertriho/cmp-git", 15 - }, 16 - config = function() 17 - vim.g.completeopt = "menu,menuone,noselect" 18 - local cmp = require("cmp") 19 - 20 - cmp.setup({ 21 - snippet = { 22 - expand = function(args) 23 - require("luasnip").lsp_expand(args.body) 24 - end, 25 - }, 26 - window = { 27 - -- documentation = cmp.config.window.bordered(), 28 - completion = { 29 - -- winhighlight = "Normal:Pmenu,FloatBorder:Pmenu,Search:None", 30 - col_offset = -3, 31 - side_padding = 0, 32 - scrolloff = 2, 33 - }, 34 - }, 35 - view = { 36 - entries = { name = "custom", selection_order = "near_cursor" }, 37 - }, 38 - experimental = { 39 - ghost_text = true, 40 - }, 41 - sorting = { 42 - priority_weight = 2, 43 - comparators = { 44 - -- require("copilot_cmp.comparators").prioritize, 45 - 46 - cmp.config.compare.offset, 47 - -- cmp.config.compare.scopes, --this is commented in nvim-cmp too 48 - cmp.config.compare.exact, 49 - cmp.config.compare.score, 50 - cmp.config.compare.recently_used, 51 - cmp.config.compare.locality, 52 - cmp.config.compare.kind, 53 - cmp.config.compare.sort_text, 54 - cmp.config.compare.length, 55 - cmp.config.compare.order, 56 - }, 57 - }, 58 - formatting = { 59 - fields = { "kind", "abbr", "menu" }, 60 - format = function(entry, vim_item) 61 - local kind = require("lspkind").cmp_format({ 62 - mode = "symbol", 63 - maxwidth = 50, 64 - symbol_map = { 65 - Copilot = "", 66 - }, 67 - })(entry, vim_item) 68 - local strings = vim.split(kind.kind, "%s", { trimempty = true }) 69 - kind.kind = " " .. (strings[1] or "") .. " " 70 - 71 - return kind 72 - end, 73 - }, 74 - mapping = cmp.mapping.preset.insert({ 75 - ["<C-b>"] = cmp.mapping.scroll_docs(-4), 76 - ["<C-f>"] = cmp.mapping.scroll_docs(4), 77 - ["<C-Space>"] = cmp.mapping.complete(), 78 - ["<C-e>"] = cmp.mapping.abort(), 79 - ["<CR>"] = cmp.mapping.confirm({ select = true }), 80 - }), 81 - sources = cmp.config.sources({ 82 - { name = "neorg", group_index = 2 }, 83 - { name = "orgmode", group_index = 2 }, 84 - { name = "nvim_lsp", group_index = 2 }, 85 - { name = "git", group_index = 2 }, 86 - { name = "luasnip", group_index = 2 }, 87 - }, { 88 - { name = "buffer" }, 89 - }), 90 - }) 91 - 92 - cmp.setup.cmdline({ "/", "?" }, { 93 - mapping = cmp.mapping.preset.cmdline(), 94 - sources = { 95 - { name = "buffer" }, 96 - }, 97 - }) 98 - 99 - cmp.setup.cmdline(":", { 100 - mapping = cmp.mapping.preset.cmdline(), 101 - sources = cmp.config.sources({ 102 - { name = "path" }, 103 - }, { 104 - { name = "cmdline" }, 105 - }), 106 - }) 107 - 108 - -- require("copilot_cmp").setup() 109 - require("cmp_git").setup() 110 - end, 111 - }, 112 - }
···
-110
lua/marshmallow/plugins/color.lua
··· 1 - return { 2 - { 3 - "nvim-treesitter/nvim-treesitter", 4 - dependencies = { 5 - "nvim-treesitter/nvim-treesitter-textobjects", 6 - { 7 - "nvim-treesitter/nvim-treesitter-context", 8 - opts = { 9 - max_lines = 2, 10 - mode = "topline", 11 - }, 12 - }, 13 - "nvim-treesitter/playground", 14 - }, 15 - build = ":TSUpdate", 16 - event = { "BufReadPost", "BufNewFile" }, 17 - version = false, 18 - config = function() 19 - vim.opt.foldmethod = "expr" 20 - vim.opt.foldexpr = "nvim_treesitter#foldexpr()" 21 - vim.opt.foldenable = false 22 - 23 - require("nvim-treesitter.configs").setup({ 24 - ensure_installed = { 25 - "c", 26 - "cpp", 27 - "go", 28 - "lua", 29 - "python", 30 - "rust", 31 - "typescript", 32 - "vim", 33 - "tsx", 34 - "javascript", 35 - "css", 36 - "org", 37 - "nix", 38 - "json", 39 - "vimdoc", 40 - }, 41 - highlight = { 42 - enable = true, 43 - additional_vim_regex_highlighting = { 44 - "org", 45 - }, 46 - }, 47 - incremental_selection = { 48 - enable = true, 49 - keymaps = { 50 - init_selection = "<c-space>", 51 - node_incremental = "<c-space>", 52 - scope_incremental = "<c-s>", 53 - node_decremental = "<c-backspace>", 54 - }, 55 - }, 56 - indent = { enable = true, disable = { "python" } }, 57 - swap = { 58 - enable = true, 59 - swap_next = { 60 - ["<leader>."] = "@parameter.inner", 61 - }, 62 - swap_previous = { 63 - ["<leader>,"] = "@parameter.inner", 64 - }, 65 - }, 66 - textobjects = { 67 - select = { 68 - enable = true, 69 - lookahead = true, 70 - keymaps = { 71 - ["aa"] = "@parameter.outer", 72 - ["ia"] = "@parameter.inner", 73 - ["af"] = "@function.outer", 74 - ["if"] = "@function.inner", 75 - ["ac"] = "@class.outer", 76 - ["ic"] = "@class.inner", 77 - }, 78 - }, 79 - swap = { 80 - enable = true, 81 - swap_next = { 82 - ["<leader>."] = "@parameter.inner", 83 - }, 84 - swap_previous = { 85 - ["<leader>,"] = "@parameter.inner", 86 - }, 87 - }, 88 - }, 89 - playground = { 90 - enable = true, 91 - disable = {}, 92 - updatetime = 25, -- Debounced time for highlighting nodes in the playground from source code 93 - persist_queries = false, -- Whether the query persists across vim sessions 94 - keybindings = { 95 - toggle_query_editor = "o", 96 - toggle_hl_groups = "i", 97 - toggle_injected_languages = "t", 98 - toggle_anonymous_nodes = "a", 99 - toggle_language_display = "I", 100 - focus_language = "f", 101 - unfocus_language = "F", 102 - update = "R", 103 - goto_node = "<cr>", 104 - show_help = "?", 105 - }, 106 - }, 107 - }) 108 - end, 109 - }, 110 - }
···
-59
lua/marshmallow/plugins/colorscheme.lua
··· 1 - return { 2 - "catppuccin/nvim", 3 - name = "catppuccin", 4 - priority = 1000, 5 - opts = { 6 - flavour = vim.env.LAUNCH_CATPPUCCIN and vim.env.LAUNCH_CATPPUCCIN or "mocha", 7 - term_colors = true, 8 - -- transparent_background = true, 9 - show_end_of_buffer = false, 10 - intergration = { 11 - neogit = true, 12 - gitsigns = true, 13 - treesitter_context = true, 14 - hop = true, 15 - mini = true, 16 - harpoon = true, 17 - headlines = true, 18 - }, 19 - custom_highlights = function(colors) 20 - return { 21 - StatusLine = { bg = colors.base }, 22 - 23 - MiniCursorword = { bg = colors.surface1 }, 24 - 25 - MiniMapSearch = { fg = colors.mauve, bg = colors.surface1 }, 26 - 27 - MiniMapDiagnosticError = { bg = colors.red, fg = colors.red }, 28 - MiniMapDiagnosticWarn = { bg = colors.yellow, fg = colors.yellow }, 29 - MiniMapDiagnosticInfo = { bg = colors.teal, fg = colors.teal }, 30 - MiniMapDiagnosticHint = {}, 31 - 32 - MiniMapNormal = { fg = colors.surface0 }, 33 - MiniMapSymbolCount = { fg = colors.mauve }, 34 - MiniMapSymbolLine = { fg = colors.surface2 }, 35 - MiniMapSymbolView = { fg = colors.surface0 }, 36 - 37 - MiniFilesBorder = { fg = colors.surface0 }, 38 - MiniFilesNormal = { bg = colors.base }, 39 - 40 - MiniPickBorder = { fg = colors.surface0 }, 41 - MiniPickNormal = { bg = colors.base }, 42 - MiniPickPrompt = { fg = colors.mauve }, 43 - 44 - FloatBorder = { fg = colors.mauve }, 45 - 46 - Directory = { fg = colors.mauve }, 47 - IblScope = { fg = colors.surface2 }, 48 - 49 - -- native_lsp method doesnt work? 50 - LspInlayHint = { fg = colors.overlay0, bg = colors.base }, 51 - } 52 - end, 53 - }, 54 - config = function(_, opts) 55 - require("catppuccin").setup(opts) 56 - 57 - vim.cmd.colorscheme("catppuccin") 58 - end, 59 - }
···
-41
lua/marshmallow/plugins/editor.lua
··· 1 - return { 2 - { 3 - "ggandor/leap.nvim", 4 - config = function() 5 - require("leap").create_default_mappings() 6 - end, 7 - }, 8 - { 9 - "chrisgrieser/nvim-spider", 10 - opts = { 11 - skipInsignificantPunctuation = false, 12 - }, 13 - keys = { 14 - { 15 - "w", 16 - "<cmd>lua require('spider').motion('w')<CR>", 17 - mode = { "n", "o", "x" }, 18 - }, 19 - { 20 - "e", 21 - "<cmd>lua require('spider').motion('e')<CR>", 22 - mode = { "n", "o", "x" }, 23 - }, 24 - { 25 - "b", 26 - "<cmd>lua require('spider').motion('b')<CR>", 27 - mode = { "n", "o", "x" }, 28 - }, 29 - { 30 - "ge", 31 - "<cmd>lua require('spider').motion('ge')<CR>", 32 - mode = { "n", "o", "x" }, 33 - { desc = "Spider-ge" }, 34 - }, 35 - }, 36 - }, 37 - { 38 - "mbbill/undotree", 39 - cmd = { "UndotreeToggle", "UndotreeFocus", "UndotreeShow", "UndotreeHide" }, 40 - }, 41 - }
···
-6
lua/marshmallow/plugins/git.lua
··· 1 - return { 2 - { 3 - "tpope/vim-fugitive", 4 - event = "VeryLazy", 5 - }, 6 - }
···
-443
lua/marshmallow/plugins/heirline.lua
··· 1 - return { 2 - { 3 - "rebelot/heirline.nvim", 4 - dependencies = { "catppuccin/nvim", "nvim-tree/nvim-web-devicons", "lewis6991/gitsigns.nvim" }, 5 - event = "UiEnter", 6 - config = function() 7 - local heirline = require("heirline") 8 - local conditions = require("heirline.conditions") 9 - local utils = require("heirline.utils") 10 - 11 - local function get_colors() 12 - local palette = require("catppuccin.palettes").get_palette() 13 - 14 - return vim.tbl_extend("keep", { 15 - bg = palette.base, 16 - fg = palette.text, 17 - }, palette) 18 - end 19 - 20 - vim.api.nvim_create_augroup("Heirline", { clear = true }) 21 - vim.api.nvim_create_autocmd("OptionSet", { 22 - pattern = "background", 23 - callback = function() 24 - require("heirline").load_colors(get_colors()) 25 - end, 26 - group = "Heirline", 27 - }) 28 - 29 - local ViMode = { 30 - init = function(self) 31 - self.mode = vim.fn.mode(1) 32 - end, 33 - provider = function(self) 34 - return "󱥰 " .. self.mode_names[self.mode] .. "" 35 - end, 36 - hl = function(self) 37 - local mode = self.mode:sub(1, 1) 38 - return { 39 - fg = self.mode_colors[mode], 40 - bg = vim.g.neovide and "NONE" or nil, 41 - bold = true, 42 - } 43 - end, 44 - update = { 45 - "ModeChanged", 46 - pattern = "*:*", 47 - callback = vim.schedule_wrap(function() 48 - vim.cmd("redrawstatus") 49 - end), 50 - }, 51 - } 52 - 53 - ViMode = utils.surround(vim.g.neovide and { " ", " " } or { "", "" }, "surface0", { ViMode }) 54 - 55 - local FileNameBlock = { 56 - init = function(self) 57 - self.filename = vim.api.nvim_buf_get_name(0) 58 - end, 59 - } 60 - 61 - local FileIcon = { 62 - init = function(self) 63 - local filename = self.filename 64 - local extension = vim.fn.fnamemodify(filename, ":e") 65 - self.icon, self.icon_color = 66 - require("nvim-web-devicons").get_icon_color(filename, extension, { default = true }) 67 - end, 68 - provider = function(self) 69 - return self.icon and (self.icon .. " ") 70 - end, 71 - hl = function(self) 72 - return { fg = self.icon_color } 73 - end, 74 - } 75 - 76 - local FileName = { 77 - provider = function(self) 78 - local filename = vim.fn.fnamemodify(self.filename, ":.") 79 - 80 - if filename == "" then 81 - return "[No Name]" 82 - end 83 - 84 - if not conditions.width_percent_below(#filename, 0.25) then 85 - filename = vim.fn.pathshorten(filename) 86 - end 87 - return filename 88 - end, 89 - hl = { fg = utils.get_highlight("Directory").fg }, 90 - } 91 - 92 - local FileFlags = { 93 - { 94 - condition = function() 95 - return vim.bo.modified 96 - end, 97 - provider = "[+]", 98 - hl = { fg = "green" }, 99 - }, 100 - { 101 - condition = function() 102 - return not vim.bo.modifiable or vim.bo.readonly 103 - end, 104 - provider = " ", 105 - hl = { fg = "orange" }, 106 - }, 107 - } 108 - 109 - local FileNameModifer = { 110 - hl = function() 111 - if vim.bo.modified then 112 - return { fg = "cyan", bold = true, force = true } 113 - end 114 - end, 115 - } 116 - 117 - FileNameBlock = utils.insert( 118 - FileNameBlock, 119 - FileIcon, 120 - utils.insert(FileNameModifer, FileName), 121 - FileFlags, 122 - { provider = "%<" } 123 - ) 124 - 125 - local FileType = { 126 - provider = function() 127 - return string.upper(vim.bo.filetype) 128 - end, 129 - hl = { fg = utils.get_highlight("Type").fg, bold = true }, 130 - } 131 - 132 - local Ruler = { 133 - -- %l = current line number 134 - -- %L = number of lines in the buffer 135 - -- %c = column number 136 - -- %P = percentage through file of displayed window 137 - provider = "%7(%l/%3L%):%2c %P", 138 - hl = { 139 - fg = "subtext0", 140 - }, 141 - } 142 - 143 - local WordCount = { 144 - init = function(self) 145 - self.is_visual = vim.fn.mode() == "V" 146 - end, 147 - condition = function() 148 - return vim.b.show_word_count 149 - end, 150 - provider = function(self) 151 - local wc = vim.fn.wordcount() 152 - 153 - if self.is_visual then 154 - wc = wc.visual_words 155 - else 156 - wc = wc.words 157 - end 158 - 159 - return wc .. " words " 160 - end, 161 - hl = function(self) 162 - return { fg = "subtext0", bold = self.is_visual } 163 - end, 164 - } 165 - 166 - local LSPActive = { 167 - condition = conditions.lsp_attached, 168 - update = { "LspAttach", "LspDetach" }, 169 - provider = function() 170 - local names = {} 171 - for _, server in pairs(vim.lsp.get_active_clients({ bufnr = 0 })) do 172 - if server.name == "copilot" or server.name == "null-ls" then 173 - goto continue 174 - end 175 - 176 - table.insert(names, server.name) 177 - 178 - ::continue:: 179 - end 180 - return table.concat(names, " ") 181 - end, 182 - hl = { fg = "green", bold = true }, 183 - } 184 - 185 - local Diagnostics = { 186 - condition = conditions.has_diagnostics, 187 - static = { 188 - error_icon = vim.fn.sign_getdefined("DiagnosticSignError")[1].text, 189 - warn_icon = vim.fn.sign_getdefined("DiagnosticSignWarn")[1].text, 190 - info_icon = vim.fn.sign_getdefined("DiagnosticSignInfo")[1].text, 191 - hint_icon = vim.fn.sign_getdefined("DiagnosticSignHint")[1].text, 192 - }, 193 - init = function(self) 194 - self.errors = #vim.diagnostic.get(0, { severity = vim.diagnostic.severity.ERROR }) 195 - self.warnings = #vim.diagnostic.get(0, { severity = vim.diagnostic.severity.WARN }) 196 - self.hints = #vim.diagnostic.get(0, { severity = vim.diagnostic.severity.HINT }) 197 - self.info = #vim.diagnostic.get(0, { severity = vim.diagnostic.severity.INFO }) 198 - end, 199 - update = { "DiagnosticChanged", "BufEnter" }, 200 - { 201 - provider = function(self) 202 - -- 0 is just another output, we can decide to print it or not! 203 - return self.errors > 0 and (self.error_icon .. self.errors .. " ") 204 - end, 205 - hl = { fg = "red" }, 206 - }, 207 - { 208 - provider = function(self) 209 - return self.warnings > 0 and (self.warn_icon .. self.warnings .. " ") 210 - end, 211 - hl = { fg = "yellow" }, 212 - }, 213 - { 214 - provider = function(self) 215 - return self.info > 0 and (self.info_icon .. self.info .. " ") 216 - end, 217 - hl = { fg = "blue" }, 218 - }, 219 - { 220 - provider = function(self) 221 - return self.hints > 0 and (self.hint_icon .. self.hints) 222 - end, 223 - hl = { fg = "cyan" }, 224 - }, 225 - } 226 - 227 - local Git = { 228 - condition = conditions.is_git_repo, 229 - init = function(self) 230 - self.status_dict = vim.b.gitsigns_status_dict 231 - self.has_changes = self.status_dict.added ~= 0 232 - or self.status_dict.removed ~= 0 233 - or self.status_dict.changed ~= 0 234 - end, 235 - hl = { fg = "peach" }, 236 - { 237 - -- git branch name 238 - provider = function(self) 239 - return self.status_dict.head 240 - end, 241 - hl = { bold = true }, 242 - }, 243 - -- You could handle delimiters, icons and counts similar to Diagnostics 244 - { 245 - condition = function(self) 246 - return self.has_changes 247 - end, 248 - provider = "(", 249 - }, 250 - { 251 - provider = function(self) 252 - local count = self.status_dict.added or 0 253 - return count > 0 and ("+" .. count) 254 - end, 255 - hl = { fg = "green" }, 256 - }, 257 - { 258 - provider = function(self) 259 - local count = self.status_dict.removed or 0 260 - return count > 0 and ("-" .. count) 261 - end, 262 - hl = { fg = "red" }, 263 - }, 264 - { 265 - provider = function(self) 266 - local count = self.status_dict.changed or 0 267 - return count > 0 and ("~" .. count) 268 - end, 269 - hl = { fg = "yellow" }, 270 - }, 271 - { 272 - condition = function(self) 273 - return self.has_changes 274 - end, 275 - provider = ")", 276 - }, 277 - } 278 - 279 - local HelpFileName = { 280 - condition = function() 281 - return vim.bo.filetype == "help" 282 - end, 283 - provider = function() 284 - local filename = vim.api.nvim_buf_get_name(0) 285 - return vim.fn.fnamemodify(filename, ":t") 286 - end, 287 - hl = { fg = utils.get_highlight("Directory").fg }, 288 - } 289 - 290 - local SearchCount = { 291 - condition = function() 292 - return vim.v.hlsearch ~= 0 -- and vim.o.cmdheight == 0 293 - end, 294 - init = function(self) 295 - local ok, search = pcall(vim.fn.searchcount) 296 - if ok and search.total then 297 - self.search = search 298 - end 299 - end, 300 - provider = function(self) 301 - local search = self.search 302 - return string.format("[%d/%d]", search.current, math.min(search.total, search.maxcount)) 303 - end, 304 - hl = { fg = "subtext0" }, 305 - { provider = " " }, 306 - } 307 - 308 - local MacroRec = { 309 - { 310 - provider = " ", 311 - condition = function() 312 - return vim.fn.reg_recording() ~= "" 313 - end, 314 - }, 315 - { 316 - condition = function() 317 - return vim.fn.reg_recording() ~= "" -- and vim.o.cmdheight == 0 318 - end, 319 - provider = " ", 320 - hl = { fg = "red", bold = true }, 321 - utils.surround({ "[", "]" }, nil, { 322 - provider = function() 323 - return vim.fn.reg_recording() 324 - end, 325 - hl = { fg = "green", bold = true }, 326 - }), 327 - update = { 328 - "RecordingEnter", 329 - "RecordingLeave", 330 - }, 331 - }, 332 - } 333 - 334 - local Scrollbar = { 335 - static = { 336 - sbar = { "🭶", "🭷", "🭸", "🭹", "🭺", "🭻" }, 337 - }, 338 - init = function(self) 339 - self.curr_line = vim.api.nvim_win_get_cursor(0)[1] 340 - self.lines = vim.api.nvim_buf_line_count(0) 341 - end, 342 - provider = function(self) 343 - local i = math.floor((self.curr_line - 1) / self.lines * #self.sbar) + 1 344 - return string.rep(self.sbar[i], 2) 345 - end, 346 - hl = function(self) 347 - if self.curr_line == self.lines or self.curr_line == 1 then 348 - return { fg = "red", bg = "base" } 349 - end 350 - 351 - return { fg = "mauve", bg = "base" } 352 - end, 353 - } 354 - 355 - local ALIGN = { provider = "%=" } 356 - local SPACE = { provider = " " } 357 - 358 - local StatusLine = { 359 - ViMode, 360 - MacroRec, 361 - SPACE, 362 - FileNameBlock, 363 - SPACE, 364 - HelpFileName, 365 - Git, 366 - SPACE, 367 - Diagnostics, 368 - ALIGN, 369 - LSPActive, 370 - SPACE, 371 - FileType, 372 - SPACE, 373 - SearchCount, 374 - WordCount, 375 - Scrollbar, 376 - static = { 377 - mode_names = { 378 - n = "H", 379 - no = "H?", 380 - nov = "H?", 381 - noV = "H?", 382 - ["no\22"] = "H?", 383 - niI = "Hi", 384 - niR = "Hr", 385 - niV = "Hv", 386 - nt = "Ht", 387 - v = "V", 388 - vs = "Vs", 389 - V = "V_", 390 - Vs = "Vs", 391 - ["\22"] = "^V", 392 - ["\22s"] = "^V", 393 - s = "S", 394 - S = "S_", 395 - ["\19"] = "^S", 396 - i = "I", 397 - ic = "Ic", 398 - ix = "Ix", 399 - R = "R", 400 - Rc = "Rc", 401 - Rx = "Rx", 402 - Rv = "Rv", 403 - Rvc = "Rv", 404 - Rvx = "Rv", 405 - c = "C", 406 - cv = "Ex", 407 - r = "...", 408 - rm = "M", 409 - ["r?"] = "?", 410 - ["!"] = "!", 411 - t = "T", 412 - }, 413 - mode_colors = { 414 - n = "mauve", 415 - i = "sky", 416 - v = "green", 417 - V = "green", 418 - ["\22"] = "cyan", 419 - c = "peach", 420 - s = "yellow", 421 - S = "yellow", 422 - ["\19"] = "mauve", 423 - R = "red", 424 - r = "red", 425 - ["!"] = "red", 426 - t = "pink", 427 - }, 428 - mode_color = function(self) 429 - local mode = conditions.is_active() and vim.fn.mode() or "n" 430 - return self.mode_colors_map[mode] 431 - end, 432 - }, 433 - } 434 - 435 - heirline.setup({ 436 - statusline = StatusLine, 437 - opts = { 438 - colors = get_colors(), 439 - }, 440 - }) 441 - end, 442 - }, 443 - }
···
-220
lua/marshmallow/plugins/lsp.lua
··· 1 - return { 2 - { 3 - "neovim/nvim-lspconfig", 4 - event = { "BufReadPre", "BufNewFile" }, 5 - cmd = { "LspInfo", "LspInstall", "LspUninstall" }, 6 - dependencies = { 7 - "nvim-lua/plenary.nvim", 8 - "b0o/schemastore.nvim", 9 - }, 10 - config = function() 11 - vim.diagnostic.config({ 12 - virtual_text = false, 13 - signs = false, 14 - update_in_insert = false, 15 - severity_sort = true, 16 - }) 17 - 18 - vim.api.nvim_create_autocmd("LspAttach", { 19 - group = vim.api.nvim_create_augroup("UserLspConfig", {}), 20 - callback = function(ev) 21 - local client = vim.lsp.get_client_by_id(ev.data.client_id) 22 - local bufnr = ev.buf 23 - 24 - 25 - -- if client.server_capabilities.inlayHintProvider and vim.lsp.inlay_hint.enable ~= nil then 26 - if vim.lsp.inlay_hint.enable ~= nil then 27 - vim.lsp.inlay_hint.enable(bufnr, true) 28 - end 29 - 30 - -- if client.server_capabilities.completionProvider then 31 - -- vim.bo[bufnr].omnifunc = "v:lua.vim.lsp.omnifunc" 32 - -- end 33 - 34 - -- if client.server_capabilities.definitionProvider then 35 - -- vim.bo[bufnr].tagfunc = "v:lua.vim.lsp.tagfunc" 36 - -- end 37 - 38 - local opts = { noremap = true, silent = true } 39 - vim.keymap.set("n", "E", vim.diagnostic.open_float, opts) 40 - vim.keymap.set("n", "[d", vim.diagnostic.goto_prev, opts) 41 - vim.keymap.set("n", "]d", vim.diagnostic.goto_next, opts) 42 - vim.keymap.set( 43 - "n", 44 - "<space>q", 45 - vim.diagnostic.setloclist, 46 - { noremap = true, silent = true, desc = "Add diagnostics to list" } 47 - ) 48 - 49 - local bufopts = { noremap = true, silent = true, buffer = bufnr } 50 - 51 - vim.keymap.set("n", "gD", vim.lsp.buf.declaration, bufopts) 52 - vim.keymap.set("n", "gd", vim.lsp.buf.definition, bufopts) 53 - vim.keymap.set("n", "K", vim.lsp.buf.hover, bufopts) 54 - vim.keymap.set("n", "gi", vim.lsp.buf.implementation, bufopts) 55 - vim.keymap.set("n", "<C-k>", vim.lsp.buf.signature_help, bufopts) 56 - vim.keymap.set("n", "cd", vim.lsp.buf.rename, bufopts) 57 - vim.keymap.set( 58 - { "n", "v" }, 59 - "ga", 60 - vim.lsp.buf.code_action, 61 - { noremap = true, silent = true, buffer = bufnr, desc = "Code Actions" } 62 - ) 63 - vim.keymap.set("n", "gr", vim.lsp.buf.references, bufopts) 64 - vim.keymap.set("n", "<leader>r", function() 65 - require("conform").format() 66 - end, { noremap = true, silent = true, buffer = bufnr, desc = "Format document" }) 67 - end, 68 - }) 69 - 70 - local lspconfig = require("lspconfig") 71 - lspconfig.lua_ls.setup({ 72 - settings = { 73 - Lua = { 74 - format = { 75 - -- Use stylua 76 - enable = false, 77 - }, 78 - runtime = { version = "LuaJIT" }, 79 - workspace = { checkThirdParty = false }, 80 - telemetry = { enable = false }, 81 - diagnostics = { globals = { "vim" } }, 82 - completion = { 83 - callSnippet = "Replace", 84 - }, 85 - }, 86 - }, 87 - }) 88 - lspconfig.tailwindcss.setup({ 89 - settings = { 90 - tailwindCSS = { 91 - experimental = { 92 - classRegex = { 93 - { 94 - "cva\\(([^)]*)\\)", 95 - "[\"'`]([^\"'`]*).*?[\"'`]", 96 - }, 97 - }, 98 - }, 99 - }, 100 - }, 101 - }) 102 - lspconfig.pyright.setup({}) 103 - lspconfig.clangd.setup({}) 104 - lspconfig.cssls.setup({ 105 - cmd = { "css-languageserver", "--stdio" }, 106 - }) 107 - lspconfig.nil_ls.setup({}) 108 - lspconfig.jsonls.setup({ 109 - cmd = { "json-languageserver", "--stdio" }, 110 - settings = { 111 - json = { 112 - schemas = require("schemastore").json.schemas(), 113 - validate = { enable = true }, 114 - }, 115 - }, 116 - }) 117 - lspconfig.yamlls.setup({ 118 - settings = { 119 - yaml = { 120 - schemaStore = { 121 - -- You must disable built-in schemaStore support if you want to use 122 - -- this plugin and its advanced options like `ignore`. 123 - enable = false, 124 - }, 125 - schemas = require("schemastore").yaml.schemas(), 126 - }, 127 - }, 128 - }) 129 - end, 130 - }, 131 - { 132 - "stevearc/conform.nvim", 133 - config = function() 134 - require("conform").setup({ 135 - formatters_by_ft = { 136 - lua = { "stylua" }, 137 - -- Use a sub-list to run only the first available formatter 138 - javascript = { { "prettierd", "prettier" } }, 139 - nix = { "alejandra" }, 140 - toml = { "taplo" }, 141 - sql = { "sql_formatter" }, 142 - ["*"] = { "injected" }, 143 - }, 144 - format_on_save = { 145 - -- These options will be passed to conform.format() 146 - timeout_ms = 500, 147 - lsp_fallback = true, 148 - }, 149 - }) 150 - end, 151 - }, 152 - { 153 - "pmizio/typescript-tools.nvim", 154 - dependencies = "neovim/nvim-lspconfig", 155 - ft = { "typescript", "typescriptreact" }, 156 - config = function() 157 - require("typescript-tools").setup({ 158 - settings = { 159 - -- https://github.com/pmizio/typescript-tools.nvim/blob/master/lua/typescript-tools/protocol/text_document/did_open.lua#L8 160 - tsserver_file_preferences = { 161 - includeInlayParameterNameHints = "all", 162 - includeInlayFunctionParameterTypeHints = true, 163 - includeInlayEnumMemberValueHints = true, 164 - 165 - includeCompletionsForModuleExports = true, 166 - 167 - quotePreference = "auto", 168 - }, 169 - tsserver_format_options = { 170 - allowIncompleteCompletions = false, 171 - allowRenameOfImportPath = false, 172 - }, 173 - }, 174 - }) 175 - end, 176 - }, 177 - -- { 178 - -- "mfussenegger/nvim-jdtls", 179 - -- dependencies = "neovim/nvim-lspconfig", 180 - -- ft = { "java" }, 181 - -- config = function() 182 - -- local config = { 183 - -- -- https://github.com/NixOS/nixpkgs/issues/232822#issuecomment-1564243667 184 - -- cmd = { "jdt-language-server", "-data", "$XDG_CACHE_HOME/jdtls/$PWD" }, 185 - -- root_dir = vim.fs.dirname(vim.fs.find({ "gradlew", ".git", "mvnw" }, { upward = true })[1]), 186 - -- } 187 - 188 - -- require("jdtls").start_or_attach(config) 189 - -- end, 190 - -- }, 191 - { 192 - "mrcjkb/rustaceanvim", 193 - version = "^3", 194 - ft = { "rust" }, 195 - config = function() 196 - vim.g.rustaceanvim = { 197 - tools = {}, 198 - server = { 199 - settings = { 200 - ["rust-analyzer"] = {}, 201 - }, 202 - }, 203 - dap = {}, 204 - } 205 - end, 206 - }, 207 - { 208 - "j-hui/fidget.nvim", 209 - dependencies = { "neovim/nvim-lspconfig" }, 210 - event = { "BufReadPre", "BufNewFile" }, 211 - opts = true, 212 - branch = "legacy", 213 - }, 214 - { 215 - "https://git.sr.ht/~whynothugo/lsp_lines.nvim", 216 - dependencies = { "neovim/nvim-lspconfig" }, 217 - event = { "BufReadPre", "BufNewFile" }, 218 - opts = true, 219 - }, 220 - }
···
-21
lua/marshmallow/plugins/more.lua
··· 1 - return { 2 - { 3 - "mrshmllow/open-handlers.nvim", 4 - cond = vim.ui.open ~= nil, 5 - lazy = false, 6 - config = function() 7 - local oh = require("open-handlers") 8 - 9 - oh.setup({ 10 - handlers = { 11 - oh.issue, 12 - oh.commit, 13 - oh.native, 14 - }, 15 - }) 16 - end, 17 - }, 18 - { 19 - "direnv/direnv.vim", 20 - }, 21 - }
···
-59
lua/marshmallow/plugins/orgmode.lua
··· 1 - return { 2 - { 3 - "dhruvasagar/vim-table-mode", 4 - cmd = { "TableModeEnable", "TableModeDisable", "Tableize" }, 5 - }, 6 - { 7 - "nvim-orgmode/orgmode", 8 - dependencies = { 9 - "nvim-treesitter/nvim-treesitter", 10 - "akinsho/org-bullets.nvim", 11 - "lukas-reineke/headlines.nvim", 12 - }, 13 - keys = { 14 - "<Leader>oa", 15 - "<Leader>oc", 16 - }, 17 - ft = { "org" }, 18 - lazy = false, 19 - config = function() 20 - require("orgmode").setup_ts_grammar() 21 - 22 - require("orgmode").setup({ 23 - org_agenda_files = { "~/org/**/*" }, 24 - org_default_notes_file = "~/my-orgs/refile.org", 25 - org_indent_mode = "noindent", 26 - org_capture_templates = { 27 - t = { 28 - description = "Task", 29 - template = "* TODO %?\n %u", 30 - target = "~/org/refile.org", 31 - }, 32 - n = { 33 - description = "Quick Note", 34 - template = "* Note\n%U\n\n%?", 35 - target = "~/org/t3_23_refile.org", 36 - }, 37 - }, 38 - }) 39 - 40 - require("org-bullets").setup({}) 41 - -- require("headlines").setup() 42 - 43 - vim.opt.conceallevel = 2 44 - vim.opt.concealcursor = "nc" 45 - end, 46 - }, 47 - { 48 - "mrshmllow/orgmode-babel.nvim", 49 - dependencies = { 50 - "nvim-orgmode/orgmode", 51 - "nvim-treesitter/nvim-treesitter", 52 - }, 53 - cmd = { "OrgExecute", "OrgTangle" }, 54 - opts = { 55 - langs = { "python", "lua", "mermaid" }, 56 - load_paths = { "/home/marsh/.emacs.d/elpa/ob-mermaid-20200320.1504" }, 57 - }, 58 - }, 59 - }
···
-292
lua/marshmallow/plugins/ui.lua
··· 1 - return { 2 - { 3 - "folke/which-key.nvim", 4 - event = "VeryLazy", 5 - config = function() 6 - require("which-key").setup({ 7 - spelling = { 8 - enabled = false, 9 - }, 10 - }) 11 - 12 - require("which-key").register({ 13 - f = { 14 - name = "Find", 15 - }, 16 - g = { 17 - name = "Git", 18 - }, 19 - s = { 20 - name = "Search", 21 - }, 22 - c = { 23 - name = "Change", 24 - }, 25 - t = { 26 - name = "Open term", 27 - }, 28 - o = { 29 - name = "Org Mode", 30 - }, 31 - S = { 32 - name = "Sessions", 33 - }, 34 - }, { prefix = "<leader>" }) 35 - end, 36 - }, 37 - { 38 - "Eandrju/cellular-automaton.nvim", 39 - cmd = "CellularAutomaton", 40 - }, 41 - { 42 - "gbprod/stay-in-place.nvim", 43 - opts = true, 44 - event = "VeryLazy", 45 - }, 46 - { 47 - "lukas-reineke/indent-blankline.nvim", 48 - name = "ibl", 49 - main = "ibl", 50 - event = { "BufReadPost", "BufNewFile" }, 51 - opts = { 52 - indent = { 53 - char = "▎", 54 - }, 55 - scope = { 56 - show_start = false, 57 - show_end = false, 58 - }, 59 - }, 60 - }, 61 - { 62 - "echasnovski/mini.pick", 63 - lazy = false, 64 - config = function() 65 - require("mini.pick").setup() 66 - end, 67 - keys = { 68 - { 69 - "<leader>f", 70 - function() 71 - require("mini.pick").builtin.files() 72 - end, 73 - desc = "Find Files (root dir)", 74 - }, 75 - { 76 - "<leader>/", 77 - function() 78 - local cope = function() 79 - vim.api.nvim_buf_delete(require("mini.pick").get_picker_matches().current.bufnr, {}) 80 - end 81 - local buffer_mappings = { wipeout = { char = "<C-q>", func = cope } } 82 - require("mini.pick").builtin.grep_live({}, { mappings = buffer_mappings }) 83 - end, 84 - desc = "Find in Files (Grep)", 85 - }, 86 - { 87 - "<leader><space>", 88 - function() 89 - local wipeout_cur = function() 90 - vim.api.nvim_buf_delete(require("mini.pick").get_picker_matches().current.bufnr, {}) 91 - end 92 - local buffer_mappings = { wipeout = { char = "<C-d>", func = wipeout_cur } } 93 - require("mini.pick").builtin.buffers({ 94 - include_current = false, 95 - }, { mappings = buffer_mappings }) 96 - end, 97 - desc = "Switch Buffer", 98 - }, 99 - }, 100 - }, 101 - { 102 - "lewis6991/gitsigns.nvim", 103 - event = { "BufReadPre", "BufNewFile" }, 104 - opts = { 105 - _signs_staged_enable = true, 106 - preview_config = { 107 - border = "rounded", 108 - }, 109 - -- signs_staged_enable = true, 110 - }, 111 - }, 112 - { 113 - "echasnovski/mini.pairs", 114 - event = "VeryLazy", 115 - opts = {}, 116 - version = false, 117 - }, 118 - { 119 - "echasnovski/mini.move", 120 - version = false, 121 - keys = { 122 - "<M-h>", 123 - "<M-l>", 124 - "<M-j>", 125 - "<M-k>", 126 - { 127 - "<M-h>", 128 - mode = "v", 129 - }, 130 - { 131 - "<M-l>", 132 - mode = "v", 133 - }, 134 - { 135 - "<M-j>", 136 - mode = "v", 137 - }, 138 - { 139 - "<M-h>", 140 - mode = "v", 141 - }, 142 - }, 143 - opts = {}, 144 - }, 145 - { 146 - "echasnovski/mini.surround", 147 - version = false, 148 - lazy = false, 149 - keys = { 150 - "gza", 151 - "gzd", 152 - "gzf", 153 - "gzF", 154 - "gzh", 155 - "gzr", 156 - "gzn", 157 - }, 158 - opts = { 159 - mappings = { 160 - add = "gza", -- Add surrounding in Normal and Visual modes 161 - delete = "gzd", -- Delete surrounding 162 - find = "gzf", -- Find surrounding (to the right) 163 - find_left = "gzF", -- Find surrounding (to the left) 164 - highlight = "gzh", -- Highlight surrounding 165 - replace = "gzr", -- Replace surrounding 166 - update_n_lines = "gzn", -- Update `n_lines` 167 - }, 168 - }, 169 - }, 170 - { 171 - "echasnovski/mini.comment", 172 - version = false, 173 - keys = { 174 - "gc", 175 - "gcc", 176 - { 177 - "gcc", 178 - mode = "v", 179 - }, 180 - }, 181 - opts = true, 182 - }, 183 - { 184 - "echasnovski/mini.cursorword", 185 - version = false, 186 - event = "VeryLazy", 187 - config = function() 188 - require("mini.cursorword").setup() 189 - 190 - vim.cmd(":hi! MiniCursorwordCurrent guifg=NONE guibg=NONE gui=NONE cterm=NONE") 191 - end, 192 - }, 193 - { 194 - "windwp/nvim-ts-autotag", 195 - opts = true, 196 - event = "VeryLazy", 197 - }, 198 - { 199 - "ThePrimeagen/harpoon", 200 - dependencies = { 201 - "nvim-lua/plenary.nvim", 202 - }, 203 - branch = "harpoon2", 204 - config = function() 205 - local harpoon = require("harpoon") 206 - harpoon:setup() 207 - vim.keymap.set("n", "<leader>a", function() 208 - harpoon:list():append() 209 - end) 210 - vim.keymap.set("n", "<leader><C-space>", function() 211 - harpoon.ui:toggle_quick_menu(harpoon:list()) 212 - end) 213 - for i = 1, 5 do 214 - vim.keymap.set("n", "<M-" .. i .. ">", function() 215 - harpoon:list():select(i) 216 - end) 217 - end 218 - end, 219 - keys = function() 220 - local keys = { 221 - "<leader>a", 222 - "<leader><C-space>", 223 - } 224 - 225 - for i = 1, 5 do 226 - table.insert(keys, "<M-" .. i .. ">") 227 - end 228 - 229 - return keys 230 - end, 231 - }, 232 - { 233 - "echasnovski/mini.files", 234 - version = false, 235 - opts = { 236 - options = { 237 - use_as_default_explorer = true, 238 - permanant_delete = false, 239 - }, 240 - windows = { 241 - preview = true, 242 - }, 243 - }, 244 - keys = { 245 - { 246 - "-", 247 - function() 248 - require("mini.files").open(vim.api.nvim_buf_get_name(0)) 249 - end, 250 - }, 251 - }, 252 - config = function(_, opts) 253 - require("mini.files").setup(opts) 254 - 255 - local id = vim.api.nvim_create_augroup("MarshmallowMiniFiles", { 256 - clear = true, 257 - }) 258 - 259 - local show_dotfiles = true 260 - 261 - local filter_show = function() 262 - return true 263 - end 264 - 265 - local filter_hide = function(fs_entry) 266 - return not vim.startswith(fs_entry.name, ".") 267 - end 268 - 269 - local toggle_dotfiles = function() 270 - show_dotfiles = not show_dotfiles 271 - local new_filter = show_dotfiles and filter_show or filter_hide 272 - require("mini.files").refresh({ content = { filter = new_filter } }) 273 - end 274 - 275 - vim.api.nvim_create_autocmd("User", { 276 - pattern = "MiniFilesBufferCreate", 277 - group = id, 278 - callback = function(args) 279 - local buf_id = args.data.buf_id 280 - vim.keymap.set("n", "g.", toggle_dotfiles, { buffer = buf_id, desc = "Toggle dotfiles" }) 281 - end, 282 - }) 283 - end, 284 - }, 285 - { 286 - "m4xshen/smartcolumn.nvim", 287 - opts = { 288 - { "lazy", "help", "minifiles", "markdown", "qf", "checkhealth" }, 289 - }, 290 - event = { "BufReadPre", "BufNewFile" }, 291 - }, 292 - }
···
-49
lua/marshmallow/remap.lua
··· 1 - vim.keymap.set("n", "<C-s>", ":w<cr>", { silent = true }) 2 - 3 - vim.keymap.set("n", "<C-L>", "<C-W><C-L>", { noremap = true, silent = true }) 4 - vim.keymap.set("n", "<C-K>", "<C-W><C-K>", { noremap = true, silent = true }) 5 - vim.keymap.set("n", "<C-J>", "<C-W><C-J>", { noremap = true, silent = true }) 6 - vim.keymap.set("n", "<C-H>", "<C-W><C-H>", { noremap = true, silent = true }) 7 - 8 - vim.keymap.set({ "n", "v" }, "<Space>", "<Nop>", { silent = true }) 9 - 10 - vim.keymap.set("n", "k", "v:count == 0 ? 'gk' : 'k'", { expr = true, silent = true }) 11 - vim.keymap.set("n", "j", "v:count == 0 ? 'gj' : 'j'", { expr = true, silent = true }) 12 - 13 - vim.keymap.set({ "v" }, "Y", '"+y') 14 - 15 - vim.keymap.set({ "n", "v" }, "<leader>d", [["_d]], { desc = "Delete no yank", noremap = true }) 16 - vim.keymap.set("v", "<leader>p", [["_dP]], { desc = "Paste no yank", noremap = true }) 17 - 18 - vim.keymap.set({ "n" }, "<C-Q>", vim.cmd.Detach, { silent = true }) 19 - 20 - vim.keymap.set({ "n" }, "<C-z>", function() 21 - local pwd = vim.fn.getcwd() 22 - if vim.fn.filereadable(pwd .. "/.mrsh.editor") ~= 0 then 23 - vim.cmd.Detach() 24 - else 25 - vim.cmd.suspend() 26 - end 27 - end, { silent = true }) 28 - 29 - vim.keymap.set({ "n" }, "<leader>tl", function() 30 - if vim.g.marsh_lazygit_buf == nil then 31 - vim.cmd.terminal("lazygit") 32 - vim.cmd.startinsert() 33 - vim.g.marsh_lazygit_buf = vim.api.nvim_win_get_buf(0) 34 - 35 - vim.api.nvim_create_autocmd({ "BufDelete" }, { 36 - buffer = vim.g.marsh_lazygit_buf, 37 - callback = function() 38 - vim.g.marsh_lazygit_buf = nil 39 - end, 40 - }) 41 - else 42 - vim.api.nvim_set_current_buf(vim.g.marsh_lazygit_buf) 43 - end 44 - end, { 45 - desc = "Open Lazygit", 46 - }) 47 - 48 - vim.keymap.set("t", "<C-w>n", "<C-\\><C-n><C-w>h", { silent = true }) 49 - vim.keymap.set("t", "<C-w><C-n>", "<C-\\><C-n><C-w>h", { silent = true })
···
-49
lua/marshmallow/util/init.lua
··· 1 - local M = {} 2 - 3 - M.root_patterns = { ".git", "lua" } 4 - 5 - -- returns the root directory based on: 6 - -- * lsp workspace folders 7 - -- * lsp root_dir 8 - -- * root pattern of filename of the current buffer 9 - -- * root pattern of cwd 10 - ---@return string 11 - function M.get_root() 12 - ---@type string? 13 - local path = vim.api.nvim_buf_get_name(0) 14 - path = path ~= "" and vim.loop.fs_realpath(path) or nil 15 - ---@type string[] 16 - local roots = {} 17 - if path then 18 - for _, client in pairs(vim.lsp.get_active_clients({ bufnr = 0 })) do 19 - local workspace = client.config.workspace_folders 20 - local paths = workspace 21 - and vim.tbl_map(function(ws) 22 - return vim.uri_to_fname(ws.uri) 23 - end, workspace) 24 - or client.config.root_dir and { client.config.root_dir } 25 - or {} 26 - for _, p in ipairs(paths) do 27 - local r = vim.loop.fs_realpath(p) 28 - if path:find(r, 1, true) then 29 - roots[#roots + 1] = r 30 - end 31 - end 32 - end 33 - end 34 - table.sort(roots, function(a, b) 35 - return #a > #b 36 - end) 37 - ---@type string? 38 - local root = roots[1] 39 - if not root then 40 - path = path and vim.fs.dirname(path) or vim.loop.cwd() 41 - ---@type string? 42 - root = vim.fs.find(M.root_patterns, { path = path, upward = true })[1] 43 - root = root and vim.fs.dirname(root) or vim.loop.cwd() 44 - end 45 - ---@cast root string 46 - return root 47 - end 48 - 49 - return M
···
-14
spell/en.utf-8.add
··· 1 - Postgres 2 - Vercel 3 - NextJS 4 - Backend 5 - MPC 6 - Chaganty 7 - Waker 8 - Zelda 9 - MDP 10 - Bitbucket 11 - PasteBin 12 - IPT 13 - fish'n'chips 14 - SDD
···
spell/en.utf-8.add.spl

This is a binary file and will not be displayed.

-2742
thesaurus/mthesaur.txt
··· 1 - a cappella,abbandono,accrescendo,affettuoso,agilmente,agitato,amabile,amoroso,appassionatamente,appassionato,brillante,capriccioso,con affetto,con agilita,con agitazione,con amore,crescendo,decrescendo,diminuendo,dolce,forte,fortissimo,lamentabile,leggiero,morendo,parlando,pianissimo,piano,pizzicato,scherzando,scherzoso,sordo,sotto voce,spiccato,staccato,stretto,tremolando,tremoloso,trillando 2 - a la mode,advanced,avant-garde,chic,contemporary,dashing,exclusive,far out,fashionable,fashionably,forward-looking,in,in the mode,mod,modern,modernistic,modernized,modish,modishly,newfashioned,now,present-day,present-time,progressive,soigne,soignee,streamlined,stylish,stylishly,tony,trendy,twentieth-century,ultra-ultra,ultramodern,up-to-date,up-to-datish,up-to-the-minute,vogue,voguish,way out 3 - a priori,a fortiori,a posteriori,analytic,back,backward,categorical,conditional,deducible,deductive,derivable,dialectic,discursive,dogmatic,early,enthymematic,epagogic,ex post facto,hypothetical,inductive,inferential,into the past,maieutic,reasoned,retroactive,retrospective,soritical,syllogistic,synthetic 4 - A-bomb,H-bomb,atomic bomb,atomic warhead,clean bomb,cobalt bomb,dirty bomb,fusion bomb,hell bomb,hydrogen bomb,limited nuclear weapons,nuclear artillery,nuclear explosive,nuclear warhead,plutonium bomb,superbomb,tactical nuclear weapons,thermonuclear bomb,thermonuclear warhead 5 - ab ovo,ab initio,aborigine,afresh,again,anew,as new,at first,at the start,basal,basic,before everything,chiefly,constituent,constitutive,de novo,elemental,elementary,essential,first,first and foremost,first thing,firstly,freshly,from scratch,from the beginning,fundamental,gut,in the beginning,initially,mainly,material,new,newly,of the essence,once more,original,originally,primal,primarily,primary,primitive,primo,principally,radical,substantial,substantive,underlying 6 - Abaddon,Aeshma,Angra Mainyu,Apollyon,Azazel,Beelzebub,Belial,Eblis,Gehenna,Hades,Lilith,Mephisto,Mephistopheles,Naraka,Pandemonium,Putana,Sammael,Shaitan,Sheol,Tophet,avichi,hell,infernal regions,inferno,jahannan,limbo,lower world,nether world,perdition,place of torment,purgatory,shades below,the abyss,the bottomless pit,the grave,the pit,underworld 7 - abandon,abandonment,abjection,abjure,abort,abscond,acknowledge defeat,ardency,ardor,back out,beat a retreat,beg a truce,beg off,belay,boundlessness,bow out,break the habit,brush aside,brush off,cancel,capitulate,careless abandon,carelessness,cast,cast aside,cast away,cast off,casualness,cease,cede,chuck,come to terms,commitment,committedness,corruptedness,corruption,corruptness,craze,cry off,cry pax,cry quits,cursoriness,cut,cut it out,debasement,decadence,decadency,dedication,deep-six,degeneracy,degenerateness,degeneration,degradation,delirium,demoralization,depart from,depravation,depravedness,depravity,desert,desist,devotedness,devotion,devoutness,disappear,discard,discontinue,disgorge,dismiss,dispense with,dispose of,disregardfulness,dissoluteness,disuse,ditch,do without,drop,drop it,drop out,drop the subject,dump,earnestness,ease,easiness,ecstasy,egregiousness,eighty-six,eliminate,end,enormousness,evacuate,exaggeration,excess,excessiveness,exorbitance,exorbitancy,extravagance,extravagancy,extreme,extremes,extremism,extremity,exuberance,fabulousness,faith,faithfulness,fervency,fervidness,fervor,fidelity,fire,fire and fury,forget,forget about it,forget it,forgetfulness,forgo,forsake,forswear,freedom,frenzy,fun,furor,furore,fury,games,get along without,get quit of,get rid of,get shut of,giantism,gigantism,give away,give over,give up,gluttony,go back on,goldbrick,goof off,halt,hand over,hastiness,have done with,heartiness,heat,heatedness,heedlessness,hold,hyperbole,hypertrophy,hysteria,immoderacy,immoderateness,immoderation,impassionedness,implore mercy,impulsiveness,inconsiderateness,inconsideration,incontinence,indifference,indiscipline,inordinacy,inordinance,inordinateness,insouciance,intemperance,intemperateness,intensity,intentness,intoxication,irrepressibility,jettison,jilt,jump,junk,kick,kiss good-bye,knock it off,lack of foresight,laxity,laxness,lay aside,lay off,laziness,leave,leave behind,leave flat,leave loose ends,leave off,leave undone,let alone,let be,let dangle,let go,let it go,let slip,liberty,license,licentiousness,looseness,loyalty,madness,make a sacrifice,malinger,maroon,miss,monstrousness,moral pollution,moral turpitude,naturalness,nimiety,noncoercion,nonintimidation,oblivion,offhandedness,omit,orgasm,orgy,outrageousness,overdevelopment,overgreatness,overgrowth,overindulgence,overlargeness,overmuch,overmuchness,part with,pass over,pass up,passion,passionateness,perfunctoriness,permissiveness,play,pray for quarter,pretermit,procrastinate,profligacy,pull out,push aside,put aside,quit,quit cold,quitclaim,radicalism,rage,rapture,ravishment,recant,recklessness,refrain,regardlessness,reject,relinquish,remove,render up,renege,renounce,reprobacy,repudiate,resign,resolution,retire,retract,retreat,riotousness,rottenness,run out on,sacrifice,say goodbye to,say uncle,scrap,scrub,seriousness,set aside,shake,shirk,shrug off,sincerity,skip,slack,slough,sneeze at,spare,spirit,spontaneity,sport,sprezzatura,stand down,stay,stop,surrender,swear off,tactlessness,take leave of,take the pledge,tearing passion,terminate,think nothing of,thoughtlessness,throw away,throw off,throw out,throw over,throw overboard,throw up,thrust aside,too much,too-muchness,toss overboard,towering rage,transport,trifle,turn away from,turn up,turpitude,unconscionableness,unconstrained,unconstraint,uncontrol,undueness,unheedfulness,uninhibitedness,unmindfulness,unpreparedness,unreadiness,unreasonableness,unreserve,unrestrainedness,unrestraint,unruliness,unsolicitousness,unsolicitude,unstrictness,unthinkingness,vacate,vanish,vehemence,waive,wantonness,warmth,wildness,withdraw,yield,yield the palm,zeal 8 - abandoned,a bit much,abjured,afire,amok,antiquated,antique,archaic,ardent,available,bellowing,berserk,boundless,burning,carried away,cast-off,castaway,ceded,committed,contaminated,corrupt,corrupted,debased,debauched,decadent,dedicated,defenseless,degenerate,degraded,delirious,demoniac,depraved,derelict,deserted,desolate,devoted,devout,discarded,discontinued,disowned,dispensed with,disposed of,disregarded,dissipated,dissolute,distracted,disused,done with,earnest,ecstatic,egregious,enormous,enraptured,exaggerated,excessive,exorbitant,extravagant,extreme,fabulous,faithful,fancy,fast,fatherless,feral,ferocious,fervent,fervid,fierce,fiery,flaming,forgone,forlorn,forsaken,forsworn,frantic,free,frenzied,friendless,fulminating,furious,gallant,gay,gigantic,gluttonous,go-go,godforsaken,haggard,half-done,hearty,heated,helpless,high,hog-wild,homeless,hot,hot-blooded,howling,hyperbolic,hypertrophied,hysterical,ignored,immoderate,impassioned,in a transport,in earnest,in hysterics,incontinent,incorrigible,indulgent,inordinate,intemperate,intense,intent,intent on,intoxicated,irrepressible,jettisoned,kithless,laid aside,lascivious,lax,lecherous,left,left undone,lewd,licentious,loose,lost to shame,loyal,mad,madding,maniac,marooned,missed,monstrous,morally polluted,motherless,neglected,nonrestrictive,not worth saving,obsolescent,obsolete,old,old-fashioned,omitted,on fire,on the shelf,open,orgasmic,orgiastic,out,out of bounds,out of control,out of hand,out of sight,out of use,out-of-date,outcast,outdated,outmoded,outrageous,outside the gates,outside the pale,outworn,overbig,overdeveloped,overgreat,overgrown,overlarge,overlooked,overmuch,overweening,passed by,passed over,passed up,passionate,past use,pensioned off,perfervid,permissive,perverted,pigeonholed,polluted,possessed,profligate,put aside,rabid,raging,rakehell,rakehellish,rakehelly,rakish,rampant,ramping,ranting,raving,ravished,recanted,red-hot,reinless,rejected,released,relinquished,renounced,reprobate,resigned,resolute,retired,retracted,riotous,roaring,rotten,running mad,sacrificed,serious,shunted,sidelined,sidetracked,sincere,slighted,solitary,spirited,steep,steeped in iniquity,stiff,storming,superannuate,superannuated,superseded,surrendered,tainted,tenantless,too much,transported,unasked,unattended to,unbridled,uncared-for,unchaperoned,unchecked,uncoerced,uncompelled,unconscionable,unconsidered,unconstrained,uncontrollable,uncontrolled,uncouth,uncurbed,undone,undue,unfilled,unforced,unfriended,ungoverned,uninhabited,uninhibited,unmanned,unmastered,unmeasured,unmuzzled,unoccupied,unpeopled,unpopulated,unprincipled,unreasonable,unregarded,unreined,unrepressed,unreserved,unrestrained,unrestrictive,unruly,unsolicited,unstaffed,unsubdued,unsuppressed,untaken,untenanted,untended,unwatched,vacant,vehement,vice-corrupted,violent,vitiated,waived,wanton,warm,warped,white-hot,wild,wild-eyed,wild-looking,worn-out,yielded,zealous 9 - abase,abash,bring down,bring low,bump,bust,cast down,cower,cringe,crush,debase,degrade,demean,demote,deplume,diminish,disgrade,displume,downgrade,dump,dump on,fawn,grovel,humble,humiliate,lower,put down,reduce,set down,sink,strip of rank,take down,toady,trip up,truckle 10 - abasement,bump,bust,casting down,comedown,debasement,deflation,degradation,degrading,demotion,depluming,descent,disgrace,disgrading,displuming,downgrading,dump,embarrassment,hangdog look,humbled pride,humbling,humiliation,letdown,mortification,put-down,reduction,self-abasement,self-abnegation,self-diminishment,setdown,shame,shamefacedness,shamefastness,stripping of rank 11 - abash,abase,appall,astound,bewilder,bother,bring down,bring low,cast down,chagrin,confound,confuse,crush,debase,degrade,demean,diminish,discomfit,discompose,disconcert,discountenance,dismay,disturb,dump,dump on,embarrass,faze,flummox,humble,humiliate,lower,moider,mortify,perturb,pother,put down,put out,rattle,reduce,set down,take aback,take down,throw into confusion,trip up,upset 12 - abashed,abroad,adrift,afflicted,agitated,ashamed,astray,at sea,beset,bewildered,blushing,bothered,cast down,chagrined,chapfallen,clueless,confused,crestfallen,crushed,discomfited,discomforted,discomposed,disconcerted,dismayed,disoriented,disquieted,distracted,distraught,distressed,disturbed,embarrassed,guessing,hangdog,humbled,humiliated,hung up,ill at ease,in a fix,in a maze,in a pickle,in a scrape,in a stew,lost,mazed,mortified,off the track,out of countenance,perturbed,put-out,put-upon,red-faced,shamed,shamefaced,shamefast,troubled,turned around,uncomfortable,uneasy,upset,without a clue 13 - abate,ablate,abolish,abrade,abrogate,abstract,adjust to,allay,alleviate,allow,alter,anesthetize,annihilate,annul,appease,assuage,attemper,attenuate,bank the fire,bate,be eaten away,benumb,blot out,blunt,box in,charge off,chasten,circumscribe,close,condition,constrain,consume,consume away,control,corrode,cramp,cripple,crumble,curtail,cushion,cut,damp,dampen,de-emphasize,deaden,deaden the pain,debilitate,decline,decrease,deduct,deliquesce,depreciate,derogate,detract,devitalize,die away,die down,dilute,diminish,discount,disparage,dive,downplay,drain,drop,drop off,dull,dwindle,ease,ease matters,ease off,ease up,eat away,ebb,enervate,enfeeble,eradicate,erode,eviscerate,exhaust,extenuate,exterminate,extinguish,extirpate,extract,fall,fall away,fall off,file away,foment,give relief,gruel,hedge,hedge about,impair,invalidate,keep within bounds,kick back,languish,lay,lay low,leach,leaven,lenify,lessen,let down,let up,lighten,limit,loose,loosen,lull,make allowance,melt away,mitigate,moderate,modify,modulate,mollify,narrow,negate,nullify,numb,obtund,pad,palliate,play down,plummet,plunge,poultice,pour balm into,pour oil on,purify,qualify,quash,rattle,rebate,recede,reduce,reduce the temperature,refine,refund,regulate by,relax,relent,relieve,remit,remove,restrain,restrict,retrench,root out,rub away,run its course,run low,sag,salve,sap,season,set conditions,set limits,shake,shake up,shorten,shrink,sink,slack,slack off,slack up,slacken,slake,slow down,smother,sober,sober down,soften,soften up,soothe,stifle,stupe,subduct,subdue,subside,subtract,suppress,tail off,take a premium,take away,take from,take off,tame,taper,taper off,temper,thin,thin out,tone down,tune down,unbend,unbrace,undermine,underplay,undo,unman,unnerve,unstrain,unstrengthen,unstring,vitiate,wane,waste,waste away,water down,weaken,wear,wear away,weed,wipe out,withdraw,write off 14 - abatement,abridgment,agio,allayment,alleviation,allowance,analgesia,anesthesia,anesthetizing,appeasement,assuagement,attenuation,attrition,bank discount,blunting,breakage,calming,cash discount,chain discount,charge-off,concession,contraction,cut,dampening,damping,deadening,debilitation,decrease,decrement,decrescence,deduction,deflation,demulsion,depreciation,depression,devitalization,dilution,diminishment,diminution,discount,drawback,dulcification,dulling,dying,dying off,ease,easement,easing,effemination,enervation,enfeeblement,evisceration,exhaustion,extenuation,fade-out,falling-off,fatigue,hushing,inanition,kickback,languishment,leniency,lessening,letdown,letup,lightening,loosening,lowering,lulling,miniaturization,mitigation,modulation,mollification,numbing,pacification,palliation,penalty,penalty clause,percentage,premium,price reduction,price-cut,quietening,quieting,rebate,rebatement,reduction,refund,relaxation,relief,remedy,remission,rollback,sagging,salvage,salving,scaling down,setoff,simplicity,slackening,softening,soothing,subduement,subtraction,tare,tempering,thinning,time discount,trade discount,tranquilization,tret,underselling,weakening,write-off 15 - abatis,advanced work,balistraria,bank,banquette,barbed-wire entanglement,barbican,barricade,barrier,bartizan,bastion,battlement,breastwork,bulwark,casemate,cheval-de-frise,circumvallation,contravallation,counterscarp,curtain,demibastion,dike,drawbridge,earthwork,enclosure,entanglement,escarp,escarpment,fence,fieldwork,fortalice,fortification,glacis,loophole,lunette,machicolation,mantelet,merlon,mound,outwork,palisade,parados,parapet,portcullis,postern gate,rampart,ravelin,redan,redoubt,sally port,scarp,sconce,stockade,tenaille,vallation,vallum,work 16 - abbe,DD,Doctor of Divinity,Holy Joe,chaplain,churchman,clergyman,cleric,clerical,clerk,curate,cure,divine,ecclesiastic,man of God,military chaplain,minister,padre,parson,pastor,rector,reverend,servant of God,shepherd,sky pilot,supply clergy,supply minister,the Reverend,the very Reverend,tonsured cleric 17 - abbess,canoness,chatelaine,clergywoman,conventual,dame,dowager,first lady,goodwife,governess,great lady,homemaker,housewife,lady superior,madam,matriarch,matron,mistress,mother superior,novice,nun,postulant,prioress,religieuse,secular canoness,sister,superioress,the reverend mother 18 - abbot,abbacomes,ascetic,beadsman,brother,caloyer,celibate,cenobite,conventual,conventual prior,friar,grand prior,hermit,hieromonach,lay abbot,lay brother,mendicant,monastic,monk,palmer,pilgrim,pillar saint,pillarist,prior,religieux,religious,stylite 19 - abbreviate,abridge,abstract,attenuate,be telegraphic,blot out,blue-pencil,bob,boil down,bowdlerize,cancel,capsulize,censor,circumscribe,clip,coarct,compact,compress,concentrate,condense,consolidate,constrict,constringe,contract,cramp,crop,cross out,curtail,cut,cut back,cut down,cut off short,cut short,decrease,delete,dock,draw,draw in,draw together,edit,edit out,elide,epitomize,erase,expunge,expurgate,extenuate,foreshorten,kill,knit,mow,narrow,nip,omit,poll,pollard,prune,pucker,pucker up,purse,reap,recap,recapitulate,reduce,rescind,retrench,rub out,shave,shear,shorten,slash,snub,solidify,strangle,strangulate,strike,strike off,strike out,stunt,sum up,summarize,synopsize,take in,telescope,trim,truncate,void,waste no words,wrinkle 20 - abbreviated,Spartan,abridged,abstracted,aposiopestic,bobbed,brief,brusque,capsule,capsulized,clipped,close,compact,compendious,compressed,concise,condensed,contracted,crisp,cropped,curt,curtailed,cut,cut short,digested,docked,elided,elliptic,epigrammatic,gnomic,laconic,mowed,mown,nipped,pithy,pointed,pollard,polled,pruned,reaped,reserved,sententious,shaved,sheared,short,short and sweet,short-cut,shortened,snub,snubbed,succinct,summary,synopsized,taciturn,terse,tight,to the point,trimmed,truncated 21 - abbreviation,abbreviature,abrege,abridgment,abstract,apocope,aposiopesis,astriction,astringency,blue-penciling,bottleneck,bowdlerization,brief,cancellation,capsule,censoring,censorship,cervix,circumscription,clipping,coarctation,compactedness,compaction,compend,compression,compressure,concentration,condensation,condensed version,consolidation,conspectus,constriction,constringency,contraction,contracture,crasis,curtailment,cutting,decrease,deletion,digest,diminuendo,draft,editing,elision,ellipsis,epitome,erasure,expurgation,foreshortening,head,hourglass,hourglass figure,isthmus,knitting,narrow place,narrowing,neck,omission,outline,overview,pandect,precis,pruning,puckering,pursing,recap,recapitulation,reduction,retrenchment,review,rubric,shortened version,shortening,skeleton,sketch,solidification,stranglement,strangulation,striction,stricture,striking,summary,summation,survey,syllabus,syncope,syneresis,synopsis,systole,telescoping,thumbnail sketch,topical outline,truncation,wasp waist,wrinkling 22 - abdicate,abandon,abjure,acknowledge defeat,be pensioned,be superannuated,cashier,cast,cease,cede,cry quits,demit,desist from,drop,forgo,forswear,give over,give up,hand over,have done with,jettison,lay down,leave,leave off,pension off,quit,reject,relinquish,renounce,renounce the throne,resign,retire,retire from office,scrap,shed,slough,stand aside,stand down,step aside,superannuate,surrender,throw away,throw out,throw up,vacate,waive,withdraw from,wrest,yield 23 - abdication,abjuration,abjurement,cession,demission,deposal,dropping out,emeritus status,forced resignation,forswearing,handing over,relinquishment,renouncement,renunciation,resignation,retiral,retirement,superannuation,surrender,voluntary resignation,waiver,withdrawal,withdrawing,yielding 24 - abdomen,abomasum,anus,appendix,bay window,beerbelly,belly,blind gut,bowels,brain,breadbasket,cecum,colon,corporation,craw,crop,diaphragm,duodenum,embonpoint,endocardium,entrails,first stomach,foregut,giblets,gizzard,gullet,gut,guts,heart,hindgut,honeycomb stomach,innards,inner mechanism,insides,internals,intestine,inwards,jejunum,kidney,kishkes,large intestine,liver,liver and lights,lung,manyplies,maw,middle,midgut,midriff,midsection,omasum,paunch,perineum,pod,pot,potbelly,potgut,psalterium,pump,pusgut,pylorus,rectum,rennet bag,reticulum,rumen,second stomach,small intestine,spare tire,spleen,stomach,swagbelly,third stomach,ticker,tripes,tum-tum,tummy,underbelly,venter,ventripotence,vermiform appendix,viscera,vitals,works 25 - abdominal,anal,appendical,big-bellied,cardiac,cecal,celiac,colic,colonic,coronary,duodenal,enteric,gastric,ileac,intestinal,jejunal,mesogastric,pyloric,rectal,splanchnic,stomachal,stomachic,ventral,ventricular,visceral 26 - abduction,apprehension,arrest,arrestation,capture,catch,catching,collaring,coup,crimping,dragnet,forcible seizure,grab,grabbing,hold,impressment,kidnapping,nabbing,picking up,power grab,prehension,running in,seizure,seizure of power,shanghaiing,snatch,snatching,taking in,taking into custody 27 - abecedarian,aboriginal,allographic,alphabetarian,alphabetic,antenatal,apprentice,articled clerk,autochthonous,beginner,beginning,boot,budding,capital,catechumen,certified teacher,creative,dabbler,debutant,dilettante,docent,doctor,dominie,don,educationist,educator,elemental,elementary,embryonic,entrant,fellow,fetal,fledgling,formative,foundational,freshman,fundamental,gestatory,graphemic,greenhorn,guide,guru,ideographic,ignoramus,in embryo,in its infancy,in the bud,inaugural,inceptive,inchoate,inchoative,incipient,incunabular,inductee,infant,infantile,initial,initiate,initiative,initiatory,instructor,introductory,inventive,lettered,lexigraphic,literal,logogrammatic,logographic,lower-case,maestro,majuscule,master,melamed,mentor,minuscular,minuscule,mullah,nascent,natal,neophyte,new boy,newcomer,nonprofessional,novice,novitiate,original,pandit,parturient,pedagogist,pedagogue,pictographic,postnatal,postulant,preceptor,pregnant,prenatal,primal,primary,prime,primeval,primitive,primogenial,probationer,probationist,procreative,professor,pundit,rabbi,raw recruit,recruit,rookie,rudimental,rudimentary,schoolkeeper,schoolmaster,schoolteacher,smatterer,starets,teacher,tenderfoot,transliterated,tyro,uncial,upper-case,ur 28 - abecedary,abecedarium,alphabet book,and arithmetic,battledore,casebook,elementary education,elements,exercise book,first steps,gradus,grammar,hornbook,initiation,introduction,manual,manual of instruction,primer,propaedeutic,reader,reading,rudiments,schoolbook,speller,spelling book,t,text,workbook,writing 29 - aberrant,aberrative,abnormal,abominable,abroad,adrift,all abroad,all off,all wrong,amiss,amorphous,anomalistic,anomalous,askew,astray,at fault,atrocious,atypical,awry,beside the mark,circuitous,corrupt,criminal,deceptive,defective,delinquent,delusive,departing,desultory,deviant,deviating,deviational,deviative,deviatory,devious,different,digressive,discursive,disgraceful,disparate,distorted,divergent,eccentric,errant,erratic,erring,erroneous,evil,exceptional,excursive,fallacious,false,faultful,faulty,flawed,formless,hardly the thing,heretical,heteroclite,heterodox,heteromorphic,ignominious,illegal,illogical,illusory,improper,inappropriate,incorrect,indecorous,indirect,infamous,irregular,labyrinthine,mazy,meandering,not done,not right,not the thing,not true,odd,off,off the track,off-base,off-color,out,out-of-line,out-of-the-way,peccant,peculiar,perverse,perverted,planetary,preternatural,rambling,roving,sacrilegious,scandalous,self-contradictory,serpentine,shameful,shameless,shapeless,shifting,sinful,snaky,strange,stray,straying,subnormal,swerving,terrible,turning,twisting,undirected,undue,unfactual,unfit,unfitting,unlawful,unnatural,unorthodox,unproved,unrepresentative,unrighteous,unseemly,unsuitable,untrue,untypical,unusual,vagrant,veering,wandering,wicked,wide,winding,wrong,wrongful,zigzag 30 - aberration,aberrance,aberrancy,abet,abnormality,abnormity,alienation,amorphism,anomalism,anomalousness,anomaly,bend,bias,brain damage,brainsickness,branching off,centrifugence,circuitousness,clouded mind,conceit,corner,crackpotism,crank,crankiness,crankism,craziness,crook,crosswiseness,crotchet,crotchetiness,curiosity,curve,daftness,decentralization,declination,defectiveness,deflection,deflexure,delusion,dementedness,dementia,departure,deployment,derangement,detour,deviance,deviancy,deviation,deviousness,diagonality,difference,differentness,digression,discursion,disorientation,distortion,distraction,divagation,divarication,divergence,divergency,diversion,division,dogleg,dottiness,double,drift,drifting,eccentricity,errancy,errantry,erraticism,erraticness,erroneousness,error,excursion,excursus,exorbitation,fallaciousness,fallacy,falseness,falsity,fanning,fanning out,fault,faultiness,flaw,flawedness,folie,foment,freakiness,freakishness,furor,hairpin,hamartia,heresy,heterodoxy,heteromorphism,idiocrasy,idiosyncrasy,illusion,indirection,indirectness,inferiority,insaneness,insanity,instigate,irrationality,irregularity,kink,loss of mind,loss of reason,lunacy,madness,maggot,mania,mannerism,mental deficiency,mental derangement,mental disease,mental disorder,mental disturbance,mental illness,mental instability,mental sickness,mind overthrown,mindsickness,misapplication,misconstruction,misdoing,misfeasance,misinterpretation,misjudgment,mistake,monstrosity,nonconformity,obliqueness,obliquity,oddity,oddness,peccancy,peculiarity,pererration,perversion,pixilation,possession,prodigy,provoke,psychopathy,queerness,quip,quirk,quirkiness,rabidness,raise,rambling,rarity,reasonlessness,self-contradiction,senselessness,separation,set,set on,shattered mind,sheer,shift,shifting,shifting course,shifting path,sick mind,sickness,sin,sinfulness,singularity,skew,skewness,slant,slip,splaying,spread,spreading,spreading out,squint,stir up,strangeness,straying,subnormality,superiority,sweep,swerve,swerving,swinging,tack,teratism,transverseness,trick,turn,turning,twist,unbalance,unbalanced mind,unconventionality,unnaturalism,unnaturalness,unorthodoxy,unsaneness,unsound mind,unsoundness,unsoundness of mind,untrueness,untruth,untruthfulness,vagary,variation,veer,wandering,warp,whim,whimsicality,whimsy,witlessness,wrong,wrongness,yaw,zigzag 31 - abet,advance,advocate,aid,aid and abet,approve of,ask for,assist,avail,bail out,bear a hand,befriend,benefit,comfort,condone,countenance,do for,do good,doctor,ease,egg,egg on,embolden,encourage,endorse,exhort,favor,feed,foment,foster,further,give a boost,give a hand,give a lift,give encouragement,give help,go for,goad,hearten,help,help out,incite,instigate,invite,keep in countenance,lend a hand,lend one aid,nourish,nurture,prod,proffer aid,promote,protect,provoke,raise,rally,reclaim,redeem,relieve,remedy,render assistance,rescue,restore,resuscitate,revive,sanction,save,second,set,set on,set up,shine upon,smile upon,spur,stead,stir up,subscribe,succor,support,take in tow,uphold,urge,whip up 32 - abettor,Maecenas,accessory,accomplice,accomplice in crime,actuator,admirer,advocate,aficionado,angel,animator,apologist,backer,buff,cajoler,champion,coax,coaxer,coconspirator,cohort,confederate,conspirator,defender,dependence,encourager,endorser,energizer,exponent,fan,favorer,fellow conspirator,firer,friend at court,gadfly,galvanizer,impeller,inducer,inspirer,lover,mainstay,maintainer,mover,moving spirit,paranymph,partisan,patron,persuader,pleader,prime mover,promoter,prompter,protagonist,reliance,second,seconder,sectary,sider,socius criminis,spark,spark plug,sparker,sponsor,stalwart,standby,stimulator,support,supporter,sustainer,sympathizer,tempter,upholder,votary,well-wisher,wheedler 33 - abeyance,abandonment,abjuration,abjurement,apathy,break,caesura,catalepsy,catatonia,cease-fire,cessation,cold storage,day off,deadliness,deathliness,desistance,discontinuance,doldrums,dormancy,drop,entropy,forbearance,hesitation,holiday,indifference,indolence,inertia,inertness,interim,interlude,intermezzo,intermission,intermittence,interruption,interval,languor,lapse,latency,layoff,letup,lotus-eating,lull,nonexercise,passiveness,passivity,pause,quiescence,quiescency,recess,relinquishment,remission,renouncement,renunciation,resignation,respite,rest,stagnancy,stagnation,stand-down,stasis,stay,suspense,suspension,torpor,truce,vacation,vegetation,vis inertiae,waiver 34 - abhor,abominate,be hostile to,contemn,detest,disapprove of,disdain,disfavor,dislike,disrelish,execrate,hate,hold in abomination,loathe,mislike,not care for,scorn,scout,shudder at,utterly detest 35 - abhorrent,abominable,antipathetic,averse to,base,beastly,below contempt,beneath contempt,contemptible,crude,despicable,detestable,disgusted,disgusting,dislikable,displeasing,distasteful,execrable,fetid,forbidding,foul,fulsome,gross,hateful,hating,heinous,horrid,ignoble,intolerable,invidious,loathing,loathsome,malodorous,mephitic,miasmal,miasmic,mislikable,nasty,nauseating,noisome,noxious,objectionable,obnoxious,obscene,odious,offensive,rebarbative,repellent,repugnant,repulsive,revolting,revulsive,sickening,stinking,uncongenial,uninviting,unlikable,unlovable,unpleasant,unsympathetic,vile 36 - abide by,accede,accept,acclaim,acquiesce,acquiesce in,act up to,adhere to,agree,agree to,agree with,applaud,assent,attend to,be faithful to,buy,cheer,comply,comply with,conform to,consent,do justice to,fill,follow,fulfill,give the nod,hail,heed,hold by,hold with,in toto,keep,keep faith with,live up to,make good,meet,nod,nod assent,observe,receive,regard,respect,satisfy,subscribe to,take kindly to,vote for,welcome,yes,yield assent 37 - abide,abide in,abide with,accede,accept,adhere,await,be big,be coextensive with,be comprised in,be constituted by,be contained in,be content with,be easy with,be present in,be still,bear,bear with,berth,bide,bide the issue,blink at,brave,brook,bunk,carry on,carry through,cease not,cleave,cling,coast,cohabit,condone,consent,consist in,continue,continue to be,dally,dawdle,defeat time,defy time,delay,dig,dillydally,disregard,domicile,domiciliate,doss down,drag on,dwell,dwell in,endure,exist,exist in,extend,freeze,go,go along,go on,hang about,hang around,hang in,hang in there,hang out,hang tough,hold,hold everything,hold on,hold out,hold steady,hold your horses,ignore,inhabit,inhere in,jog on,judge not,keep,keep going,keep on,keep quiet,last,last long,last out,lean over backwards,lie in,lie still,linger,listen to reason,live,live on,live through,live with,lodge,loiter,lump,lump it,maintain,mark time,nest,never cease,not breathe,not stir,not write off,occupy,overlook,perch,perdure,perennate,persevere,persist,prevail,put up with,receive,remain,remain motionless,repose,repose in,reside,reside in,rest,rest in,room,roost,run,run on,see both sides,sit tight,sit up,sit up for,slog on,squat,stagger on,stand,stand fast,stand firm,stand for,stand still,stay,stay on,stay put,stay up,stay up for,stick,stick around,stick fast,stomach,subsist,subsist in,suffer,support,survive,suspend judgment,sustain,swallow,sweat,sweat it out,sweat out,take,take time,take up with,tarry,tenant,tide over,tolerate,tread water,view with indulgence,wait,wait a minute,wait and see,wait for,wait on,wait up for,watch,watch and wait,wear,wear well,wink at 38 - abiding,age-long,aged,ancient,antique,changeless,chronic,commorant,constant,continuing,continuous,diuturnal,durable,dwelling,enduring,evergreen,firm,fixed,frozen,hardy,immobile,immutable,in residence,indefatigable,intact,intransient,inveterate,inviolate,lasting,living,living in,lodging,long-lasting,long-lived,long-standing,long-term,longeval,longevous,macrobiotic,never-failing,of long duration,of long standing,perdurable,perduring,perennial,permanent,perpetual,persistent,persisting,quiescent,remaining,resident,residentiary,residing,rigid,sempervirent,solid,stable,static,stationary,staying,steadfast,steady,sticking,sustained,torpid,tough,unaltered,unceasing,unchangeable,unchanged,unchanging,unchecked,undestroyed,undying,unfading,unfailing,unfaltering,unqualified,unquestioning,unremitting,unshifting,unvaried,unvarying,vital,wholehearted 39 - ability,ableness,address,adeptness,adequacy,adroitness,airmanship,aptitude,aptness,artfulness,artisanship,artistry,bravura,brilliance,bump,caliber,capability,capableness,capacity,capital,cleverness,command,competence,competency,condition,control,coordination,craft,craftsmanship,cunning,deftness,devices,dexterity,dexterousness,dextrousness,diplomacy,disposable resources,dower,dowry,efficacy,efficiency,endowment,equipment,expertise,expertism,expertness,facility,faculty,finesse,fitness,fittedness,flair,forte,funds,genius,gift,grace,grip,handiness,horsemanship,ingeniousness,ingenuity,instinct,knack,know-how,long suit,makings,marksmanship,mastership,mastery,maturity,means,method,metier,might,natural endowment,natural gift,parts,potential,power,powers,practical ability,preparedness,proficiency,prowess,qualification,quickness,readiness,recourses,resorts,resource,resourcefulness,resources,ripeness,savoir-faire,savvy,seamanship,seasoning,skill,skillfulness,speciality,stock,strong flair,strong point,style,sufficiency,suitability,suitableness,suitedness,supply,susceptibility,tact,tactfulness,talent,talents,technical brilliance,technical mastery,technical skill,technique,tempering,the goods,the stuff,timing,trim,virtuosity,ways,ways and means,what it takes,wherewith,wherewithal,wit,wizardry,workmanship 40 - abject,abominable,accepting,acquiescent,agreeable,apologetic,arrant,assenting,atrocious,backscratching,base,beggarly,bootlicking,cheesy,complaisant,compliable,compliant,complying,consenting,contemptible,contrite,cowering,crawling,cringing,crouching,crummy,debased,degraded,depraved,despicable,dirty,disgusting,execrable,fawning,flagrant,flattering,footlicking,foul,fulsome,grave,gross,groveling,hangdog,heinous,humble,humble-minded,humble-spirited,humbled,humblehearted,ingratiating,little,low,low-down,lumpen,mangy,mealymouthed,mean,measly,meek,meek-minded,meek-spirited,meekhearted,melted,miserable,monstrous,nefarious,nondissenting,nonresistant,nonresisting,nonresistive,obedient,obeisant,obnoxious,obsequious,odious,on bended knee,paltry,parasitic,passive,penitent,penitential,penitentiary,petty,poky,poor,poor in spirit,prostrate,rank,repentant,reptilian,resigned,scabby,scrubby,scruffy,scummy,scurvy,servile,shabby,sheepish,shoddy,small,sniveling,softened,sponging,squalid,submissive,subservient,supine,sycophantic,timeserving,toadeating,toadying,toadyish,touched,truckling,unassertive,uncomplaining,underfoot,unmentionable,unresistant,unresisting,vile,wretched 41 - abjection,abandon,abandonment,corruptedness,corruption,corruptness,debasement,decadence,decadency,degeneracy,degenerateness,degeneration,degradation,demoralization,depravation,depravedness,depravity,dissoluteness,moral pollution,moral turpitude,profligacy,reprobacy,rottenness,turpitude 42 - abjuration,abandonment,abdication,abeyance,abjurement,abrogation,absolute contradiction,annulment,cessation,cession,chucking,chucking out,cold storage,contempt,contradiction,contrary assertion,contravention,controversion,countering,crossing,declination,declining,denial,desistance,despisal,despising,disaffirmation,disallowance,disapproval,disavowal,discard,disclaimer,disclamation,discontinuance,discounting,dismissal,disowning,disownment,dispensation,disposal,disposition,disproof,disregard,dropping out,dumping,exception,exclusion,expatriation,forbearance,forgoing,forswearing,gainsaying,getting rid of,giving up,handing over,ignoring,impugnment,letting go,nonacceptance,nonapproval,nonconsideration,nonexercise,nullification,palinode,palinody,passing by,putting away,putting out,rebuff,recantation,refusal,refutation,rejection,release,relinquishment,reneging,renouncement,renunciation,repudiation,repulse,resignation,retractation,retraction,revocation,revokement,riddance,sacrifice,scouting,spurning,surrender,suspension,swearing off,throwing out,turning out,unsaying,waiver,withdrawal,withdrawing,yielding 43 - abjure,abandon,abdicate,acknowledge defeat,assert the contrary,back down,back out,backwater,belie,brush aside,cease,cede,chuck,chuck out,climb down,come off,contemn,contest,contradict,contravene,controvert,counter,crawfish out,cross,cry quits,cut out,decline,deny,desert,desist,desist from,despise,disaffirm,disallow,disapprove,disavow,discard,disclaim,discontinue,discount,disdain,disgorge,dismiss,disown,dispense with,dispose of,disprove,dispute,disregard,disuse,do without,drop,dump,eat crow,eat humble pie,except,exclude,forgo,forsake,forswear,gainsay,get along without,get rid of,give away,give over,give up,hand over,have done with,ignore,impugn,join issue upon,kiss good-bye,lay down,leave off,let go,make a sacrifice,nol-pros,not accept,not admit,not pursue with,nullify,oppose,palinode,part with,pass by,pass up,push aside,put behind one,quit,quitclaim,rebuff,recall,recant,refuse,refuse to admit,refuse to consider,refute,reject,relinquish,render up,renege,renounce,repel,repudiate,repulse,resign,retract,revoke,sacrifice,scout,shove away,spare,spurn,stop,surrender,swallow,swear off,take back,take issue with,throw away,throw out,throw up,turn away,turn out,unsay,vacate,waive,withdraw,yield 44 - ablate,abate,abrade,abrase,absorb,assimilate,atomize,bark,bate,be eaten away,bleed white,break up,burn up,chafe,come apart,consume,consume away,corrode,crack up,crumble,crumble into dust,decay,decline,decompose,decrease,deliquesce,deplete,depreciate,die away,digest,diminish,disintegrate,disjoin,disorganize,dissipate,dissolve,dive,drain,drain of resources,dribble away,drop,drop off,dwindle,eat,eat up,ebb,erase,erode,exhaust,expend,fall,fall away,fall off,fall to pieces,file,finish,finish off,fission,fray,frazzle,fret,gall,gnaw,gnaw away,gobble,gobble up,grate,graze,grind,impoverish,ingest,languish,lessen,let up,melt away,molder,plummet,plunge,rasp,raze,rub away,rub off,rub out,run low,sag,scour,scrape,scrub,scuff,shrink,sink,skin,spend,split,squander,subside,suck dry,swallow,swallow up,tail off,tatter,use up,wane,waste,waste away,wear,wear away,wear down,wear off,wear out,wear ragged,weather 45 - ablation,abrasion,abrasive,absorption,abstraction,assimilation,atomization,attrition,breakup,buffing,burning up,burnishing,chafe,chafing,consumption,corrosion,crumbling,decay,decomposition,decrease,decrement,deduction,degradation,deliquescence,depletion,depreciation,detrition,digestion,dilapidation,disintegration,disjunction,disorganization,dissipation,dissolution,drain,dressing,eating up,erasure,erosion,evaporation,exhaustion,expending,expenditure,filing,finishing,fretting,galling,grazing,grinding,impoverishment,incoherence,ingestion,leakage,limation,loss,polishing,purification,rasping,ravages of time,refinement,removal,resolution,rubbing away,sandblasting,sanding,scouring,scrape,scraping,scratch,scratching,scrub,scrubbing,scuff,shining,shrinkage,smoothing,spending,squandering,subduction,sublation,subtraction,taking away,use,using,using up,wastage,waste,wastefulness,wasting away,wear,wear and tear,wearing,wearing away,wearing down,weathering 46 - ablaze,afire,aflame,aflicker,aglow,alight,ardent,bathed with light,bespangled,blazing,boiling over,breathless,brightened,burning,candent,candescent,candlelit,comburent,conflagrant,cordial,delirious,drunk,enlightened,enthusiastic,excited,exuberant,febrile,fervent,fervid,fevered,feverish,fiery,firelit,flagrant,flaming,flaring,flashing,flashy,flickering,flushed,fulgurant,fulgurating,fuming,gaslit,glowing,guttering,hearty,heated,hot,ignescent,ignited,illuminated,impassioned,in a blaze,in a glow,in flames,incandescent,inflamed,intense,intoxicated,irradiate,irradiated,keen,kindled,lamplit,lanternlit,lighted,lightened,lit,lit up,live,lively,living,luminous,meteoric,moonlit,on fire,passionate,red-hot,reeking,scintillant,scintillating,smoking,smoldering,spangled,sparking,star-spangled,star-studded,starlit,steaming,steamy,studded,sunlit,tinseled,unextinguished,unquenched,unrestrained,vigorous,warm,zealous 47 - able,adapted,adequate,adjusted,alert,au fait,brainy,brilliant,capable,checked out,clever,competent,effective,effectual,efficacious,efficient,enigmatic,enterprising,equal to,expert,fit,fitted,fitted for,go-ahead,good,incalculable,incognizable,intelligent,journeyman,keen,mysterious,productive,proficient,proper,puzzling,qualified,sealed,sharp,skilled,skillful,smart,strange,suited,unapparent,unapprehended,unascertained,unbeknown,uncharted,unclassified,undisclosed,undiscoverable,undiscovered,undivulged,unexplained,unexplored,unexposed,unfamiliar,unfathomed,unheard,unheard-of,unidentified,uninvestigated,unknowable,unknown,unperceived,unplumbed,unrevealed,unsuspected,untouched,up to,up to snuff,up-and-coming,virgin,well-fitted,well-qualified,well-suited,wicked,worthy 48 - ablution,cleaning out,douche,douching,elution,elutriation,enema,flush,flushing,flushing out,irrigation,lathering,lavabo,lavage,lavation,laving,mopping,mopping up,rinse,rinsing,scouring,scrub,scrubbing,scrubbing up,shampoo,soaping,sponge,sponging,swabbing,wash,washing,washing up,washout,washup,wiping up 49 - ably,adeptly,adequately,adroitly,agilely,aptly,artfully,artistically,brilliantly,capably,cleverly,competently,cunningly,deftly,dexterously,dextrously,effectively,effectually,efficiently,excellently,expertly,featly,handily,ingeniously,masterfully,neatly,nimbly,proficiently,resourcefully,skillfully,spryly,superbly,well,with consummate skill,with finesse,with genius,with skill 50 - abnegation,abstinence,calm,calmness,conservatism,constraint,continence,contradiction,control,cool,declension,declination,declinature,declining,denial,deprivation,disagreement,disallowance,disclaimer,disclamation,disobedience,dispassion,dissent,evenness,forbearance,frugality,gentleness,golden mean,happy medium,holding back,impartiality,judiciousness,juste-milieu,lenity,meden agan,middle way,mildness,moderateness,moderation,moderationism,nay,naysaying,negation,negative,negative answer,negative attitude,negativeness,negativism,negativity,neutrality,nix,no,nonacceptance,noncompliance,nonconsent,nonobservance,nonviolence,nothing in excess,pacifism,prudence,recantation,refusal,rejection,renouncement,renunciation,repose,repudiation,restraint,retention,self-abnegation,self-control,self-denial,self-discipline,self-mastery,self-restraint,serenity,soberness,sobriety,sophrosyne,stability,steadiness,temperance,temperateness,thumbs-down,tranquillity,turndown,unexcessiveness,unextravagance,unextremeness,unwillingness,via media,withholding 51 - abnormal,aberrant,abominable,absurd,amorphous,anomalistic,anomalous,atrocious,atypical,bereft of reason,brainsick,crackbrained,cracked,crank,crankish,cranky,crazed,crazy,criminal,crotchety,daft,delinquent,deluded,demented,deprived of reason,deranged,deviant,deviative,different,disgraceful,disoriented,disproportionate,distraught,divergent,dotty,eccentric,erratic,evil,exceptional,fey,flaky,flighty,formless,freakish,funny,hallucinated,hardly the thing,heteroclite,heteromorphic,idiocratic,idiosyncratic,ignominious,illegal,improper,inappropriate,incoherent,incommensurable,incommensurate,incompatible,incongruous,inconsequent,inconsistent,inconsonant,incorrect,indecorous,infamous,insane,irrational,irreconcilable,irregular,kinky,kooky,loco,lunatic,mad,maddened,maggoty,manic,mazed,mental,mentally deficient,meshuggah,moon-struck,non compos,non compos mentis,not all there,not done,not right,not the thing,nutty,odd,oddball,of unsound mind,off,off-base,off-color,off-key,out of proportion,out-of-line,oxymoronic,paradoxical,peculiar,preternatural,psycho,queer,quirky,reasonless,sacrilegious,scandalous,screwball,screwy,self-contradictory,senseless,shameful,shameless,shapeless,sick,sinful,singular,stark-mad,stark-staring mad,strange,stray,straying,subnormal,terrible,tetched,touched,twisted,unbalanced,unconventional,uncustomary,undue,unfit,unfitting,unhinged,unlawful,unnatural,unregular,unrepresentative,unrighteous,unsane,unseemly,unsettled,unsound,unsuitable,untypical,unusual,unwonted,wacky,wandering,whimsical,wicked,witless,wrong,wrongful 52 - abnormality,aberrance,aberrancy,aberration,acute disease,affection,affliction,ailment,alienation,allergic disease,allergy,anomaly,atrophy,bacterial disease,birth defect,blight,brain damage,brainsickness,cardiovascular disease,chronic disease,circulatory disease,clouded mind,complaint,complication,conceit,condition,congenital defect,conversation piece,crackpotism,crank,crankiness,crankism,craziness,criminality,crotchet,crotchetiness,curio,curiosity,daftness,defect,deficiency disease,deformity,degenerative disease,delinquency,dementedness,dementia,derangement,deviance,deviancy,deviation,differentness,disability,disease,disorder,disorientation,distemper,distortion,distraction,divergence,dottiness,eccentricity,endemic,endemic disease,endocrine disease,epidemic disease,erraticism,erraticness,exception,folie,freakiness,freakishness,functional disease,fungus disease,furor,gastrointestinal disease,genetic disease,handicap,hereditary disease,iatrogenic disease,idiocrasy,idiosyncrasy,illegality,illness,improbability,improperness,impropriety,inadmissibility,inapplicability,inappositeness,inappropriateness,inaptitude,inaptness,incorrectness,indecorousness,indecorum,indisposition,infectious disease,infelicity,infirmity,infraction,insaneness,insanity,irrationality,irregularity,irrelevance,irrelevancy,kink,loss of mind,loss of reason,lunacy,madness,maggot,maladjustment,malady,malaise,malformation,mania,mannerism,mental deficiency,mental derangement,mental disease,mental disorder,mental disturbance,mental illness,mental instability,mental sickness,mesalliance,mind overthrown,mindsickness,misalliance,misjoinder,misjoining,mismatch,morbidity,morbus,muscular disease,museum piece,neurological disease,nonconformity,nonesuch,nutritional disease,occupational disease,oddity,oddness,organic disease,pandemic disease,pathological condition,pathology,peculiarity,pixilation,plant disease,possession,prodigiosity,prodigy,protozoan disease,psychosomatic disease,queerness,quip,quirk,quirkiness,rabidness,rarity,reasonlessness,respiratory disease,rockiness,secondary disease,seediness,senselessness,shattered mind,sick mind,sickishness,sickness,signs,sinfulness,singularity,strange thing,strangeness,symptomatology,symptomology,symptoms,syndrome,the pip,trick,twist,unbalance,unbalanced mind,uncommonness,unconformity,uncongeniality,unconventionality,unfitness,unfittingness,unlawfulness,unnaturalness,unrighteousness,unsaneness,unseemliness,unsound mind,unsoundness,unsoundness of mind,unsuitability,unusualness,urogenital disease,violation,virus disease,wasting disease,whim,whimsicality,whimsy,wickedness,witlessness,worm disease,wrong,wrongfulness,wrongness 53 - aboard,afloat,all aboard,aloft,among us,athwart the hawse,athwarthawse,aye,before the mast,here,hereabout,hereabouts,hereat,hereinto,hereto,hereunto,hither,hitherward,hitherwards,in sail,in this place,in this vicinity,just here,on board,on board ship,on deck,on shipboard,on the spot,somewhere about,to this place,topside,with us 54 - abode,abiding,accommodation,area,bearings,bench mark,billet,cohabitation,commorancy,diggings,digs,district,domicile,dwelling,emplacement,habitancy,habitation,hole,home,house,inhabitancy,inhabitation,inhabiting,latitude and longitude,lieu,living,locale,locality,location,locus,lodging,nesting,occupancy,occupation,pinpoint,place,placement,point,position,quarters,region,residence,residency,residing,site,situation,situs,sojourning,spot,squatting,staying,staying over,stead,stopping,tenancy,whereabout,whereabouts 55 - abolish,abate,abrogate,annihilate,annul,blot out,bring to naught,cancel,countermand,counterorder,delete,demolish,deracinate,destroy,disallow,disannul,do away with,eliminate,end,eradicate,erase,expunge,exterminate,extinguish,extirpate,invalidate,liquidate,make void,negate,negative,nullify,obliterate,override,overrule,quash,recall,recant,renege,repeal,rescind,retract,reverse,revoke,root out,set aside,stamp out,suspend,terminate,undo,uproot,vacate,vitiate,void,waive,wipe out,withdraw,write off 56 - abolition,abolishment,abrogation,annihilation,annulment,cancel,canceling,cancellation,cassation,choking,choking off,countermand,counterorder,defeasance,deracination,destruction,elimination,end,eradication,extermination,extinction,extinguishment,extirpation,invalidation,liquidation,negation,nullification,purge,recall,recantation,renege,repeal,repudiation,rescinding,rescindment,rescission,retraction,reversal,revocation,revoke,revokement,rooting out,setting aside,silencing,snuffing out,stifling,strangulation,suffocation,suppression,suspension,termination,uprooting,vacation,vacatur,voidance,voiding,waiver,waiving,withdrawal,write-off 57 - abominable,aberrant,abhorrent,abject,abnormal,accursed,arrant,atrocious,awful,bad,base,beastly,beggarly,below contempt,beneath contempt,black,blamable,blameworthy,brutal,cheesy,contemptible,criminal,crude,crummy,cursed,damnable,dark,debased,degraded,delinquent,deplorable,depraved,despicable,detestable,deviant,dire,dirty,disagreeable,disgraceful,disgusting,distasteful,dreadful,egregious,enormous,evil,execrable,fetid,filthy,flagitious,flagrant,forbidding,foul,frightful,fulsome,grave,grievous,gross,hardly the thing,hateful,heinous,horrible,horrid,ignoble,ignominious,illegal,improper,in bad taste,inappropriate,incorrect,indecorous,infamous,iniquitous,knavish,lamentable,little,loathsome,lousy,low,low-down,lumpen,malodorous,mangy,mean,measly,mephitic,miasmal,miasmic,miserable,monstrous,nasty,naughty,nauseating,nauseous,nefarious,noisome,not done,not the thing,notorious,noxious,objectionable,obnoxious,obscene,odious,off-base,off-color,offensive,out-of-line,outrageous,paltry,peccant,petty,pitiable,pitiful,poky,poor,rank,rebarbative,regrettable,repellent,reprehensible,reprobate,reptilian,repugnant,repulsive,revolting,rotten,sacrilegious,sad,scabby,scandalous,schlock,scrubby,scruffy,scummy,scurvy,shabby,shameful,shameless,shocking,shoddy,sickening,sinful,small,sordid,squalid,stinking,terrible,too bad,unclean,undue,unfit,unfitting,unforgivable,unlawful,unmentionable,unpardonable,unpleasant,unrighteous,unseemly,unspeakable,unsuitable,unworthy,vicious,vile,villainous,wicked,woeful,worst,worthless,wretched,wrong,wrongful 58 - abomination,Anglophobia,Russophobia,abhorrence,allergy,anathema,annoyance,antagonism,anti-Semitism,antipathy,atrocity,aversion,bad,bane,befoulment,besmirchment,bete noire,bigotry,blight,bogey,bugaboo,bugbear,cold sweat,contamination,contempt,corruption,creeping flesh,crying evil,damage,defilement,desecration,despite,despitefulness,despoliation,destruction,detestation,detriment,dirtying,disdain,disfavor,disgrace,disgust,dislike,disrelish,distaste,enmity,error,evil,execration,grievance,harm,hate,hatred,havoc,horror,hostility,hurt,ignominy,ill,incubus,infamy,infection,iniquity,injury,knavery,loathing,malevolence,malice,malignity,misandry,misanthropy,mischief,misogyny,mortal horror,nausea,obliquity,odium,outrage,peccancy,peeve,pest,pet peeve,phobia,pity,plague,poison,pollution,profanation,race hatred,racism,reprobacy,repugnance,repulsion,revulsion,ritual uncleanness,sacrilege,scandal,scorn,shame,shuddering,sin,soiling,spite,spitefulness,terrible thing,the worst,toxin,trial,venom,vexation,vials of hate,vials of wrath,villainy,violation,woe,wrong,xenophobia 59 - aboriginal,abecedarian,aborigine,ancestral,antenatal,antepatriarchal,atavistic,autochthon,autochthonous,barbarian,barbaric,barbarous,basal,basic,beginning,budding,central,creative,crucial,elemental,elementary,embryonic,endemic,fetal,formative,foundational,fundamental,generative,genetic,germinal,gestatory,homebred,homegrown,humanoid,in embryo,in its infancy,in ovo,in the bud,inaugural,inceptive,inchoate,inchoative,incipient,incunabular,indigene,indigenous,infant,infantile,initial,initiative,initiatory,introductory,inventive,nascent,natal,native,native-born,original,parturient,patriarchal,postnatal,preadamite,preglacial,pregnant,prehistoric,prehuman,prenatal,primal,primary,prime,primeval,primitive,primogenial,primoprimitive,primordial,pristine,procreative,protogenic,protohistoric,protohuman,radical,rudimental,rudimentary,savage,seminal,ur,vernacular 60 - aborigine,Bronze Age man,Hominidae,Iron Age man,Stone Age man,aboriginal,ancient,antediluvian,anthropoid,ape-man,autochthon,bushman,cave dweller,caveman,earliest inhabitant,first comer,fossil man,hominid,humanoid,indigene,local,local yokel,man of old,missing link,native,preadamite,prehistoric man,prehuman,primate,primitive,primitive settler,protohuman,troglodyte 61 - abort,abandon,belay,cancel,cease,close,conclude,cut it out,desist,determine,discontinue,drop it,end,finish,finish up,give over,go amiss,go astray,go wrong,halt,have done with,hold,knock it off,lay off,leave off,miscarry,perorate,quit,refrain,relinquish,renounce,resolve,scrap,scratch,scrub,stay,stop,terminate,wind up 62 - abortive,barren,bootless,failed,failing,fruitless,futile,gainless,immature,ineffective,ineffectual,inefficacious,lame,manque,miscarried,miscarrying,nonremunerative,of no effect,otiose,profitless,rewardless,sterile,stickit,stillborn,successless,unavailable,unavailing,unformed,unfortunate,unmatured,unproductive,unprofitable,unremunerative,unrewarding,unripe,unsuccessful,useless,vain 63 - abound,abound with,be alive with,bristle with,burst with,clutter,crawl,crawl with,creep with,crowd,crowded,exuberate,filled,flourish,flow,gush,jam,multiply,overflow,overflow with,pack,packed,pour,prevail,proliferate,pullulate,pullulate with,rain,run over,shower,stream,swarm,swarm with,teem,teem with,thrive,throng,throng with 64 - about face,about-turn,accommodation,adaptation,adjustment,afterthoughts,alchemy,alteration,amelioration,apostasy,assimilation,assumption,back track,back trail,backing,backing off,backing out,backing up,backsliding,backup,becoming,better thoughts,betterment,break,change,change of heart,change of mind,change-over,changeableness,constructive change,continuity,conversion,defection,degeneration,degenerative change,deterioration,deviation,difference,discontinuity,disenchantment,divergence,diversification,diversion,diversity,do an about-face,face about,fitting,flip,flip-flop,gradual change,growth,improvement,lapse,mature judgment,melioration,mitigation,modification,modulation,naturalization,overthrow,passage,progress,qualification,radical change,re-creation,re-formation,realignment,recidivation,recidivism,reclamation,reconversion,redesign,reduction,reform,reformation,regress,regression,rehabilitation,reinstatement,relapse,remaking,renewal,reshaping,resolution,restitution,restoration,restructuring,retrocession,retrogradation,retrogression,retroversion,return,returning,reversal,reverse,reversing,reversion,reverting,revival,revivification,revolution,revulsion,right-about,right-about-face,second thoughts,shift,slipping back,sudden change,swingaround,switch,switch-over,tergiversating,tergiversation,total change,transformation,transit,transition,turn,turnabout,turnaround,turning into,upheaval,variation,variety,violent change,volte-face,worsening 65 - about ship,back and fill,bear away,bear off,bear to starboard,beat,beat about,box off,break,bring about,bring round,cant,cant round,cast,cast about,change course,change the heading,come about,double a point,fetch about,go about,gybe,heave round,jibe,jibe all standing,miss stays,ply,put about,put back,round a point,sheer,shift,slew,swerve,swing round,swing the stern,tack,throw about,turn,turn back,veer,wear,wear ship,wind,yaw 66 - about,again,aimlessly,all but,all over,all round,almost,along toward,alongside,anent,any which way,anyhow,anywise,approximately,apropos,apropos of,around,as for,as regards,as respects,as to,at close quarters,at hand,at random,back,back and forth,backward,beside,carelessly,casually,circa,circuitously,close,close about,close at hand,close by,close to,close upon,concerning,encircling,everywhere,far and wide,fast by,haphazard,haphazardly,hard,hard by,helter-skelter,here and there,hereabout,hereabouts,in all directions,in connection with,in point of,in re,in reference to,in regard to,in relation to,in relation with,in respect to,in reverse,in spitting distance,in the air,in the neighborhood,in the vicinity,involving,just about,more or less,most,much,near,near at hand,near enough to,near upon,nearabout,nearabouts,nearby,nearly,nigh,nigh about,not far,not far from,of,on,on every side,only a step,pertaining to,pertinent to,plus ou moins,practically,prevalent,random,randomly,re,referring to,regarding,relating to,relative to,respecting,roughly,round,round about,some,somewhere about,speaking of,surrounding,thereabout,thereabouts,through,throughout,to and fro,touching,up and down,upon,upwards of,well-nigh,with,with regard to,with respect to,within call,within earshot,within hearing,within reach 67 - above all,a fortiori,all the more,chiefly,dominantly,especially,even,ever so,first of all,in chief,in the main,indeed,mainly,more than ever,mostly,never so,no end,particularly,peculiarly,predominantly,primarily,principally,still more,yea 68 - above water,all clear,all straight,at anchor,clear,free and clear,high and dry,in harbor,in safety,in the clear,on,out of danger,out of debt,past danger,solvent,terra firma,under cover,unindebted,unowing 69 - above,a cut above,above all,above and beyond,abovestairs,additionally,again,ahead,airward,all included,aloft,aloof,also,altogether,among other things,and all,and also,and so,ante,as well,ascendant,at bottom,atop,au reste,before,before everything,beside,besides,better,beyond,capping,chiefly,chosen,distinguished,eclipsing,else,eminent,en plus,essentially,exceeding,excellent,excelling,extra,farther,finer,first of all,for lagniappe,further,furthermore,greater,hereinabove,hereinbefore,high,high up,higher,highest,in addition,in ascendancy,in excess of,in the air,in the ascendant,in the clouds,inter alia,into the bargain,item,likewise,mainly,major,marked,more,moreover,of choice,on,on high,on stilts,on the peak,on the side,on tiptoe,on top of,one up on,outstanding,over,over and above,overhead,past,plus,primarily,rare,rivaling,similarly,skyward,straight up,super,superior,supra,surpassing,then,therewith,tiptoe,to boot,to the zenith,too,too deep for,topping,transcendent,transcendental,transcending,up,upmost,upon,upper,uppermost,upstairs,upward,upwards,yet 70 - above-board,artless,candid,candidly,direct,forthright,frank,frankly,freely,genuine,guileless,honest,honorable,in the open,ingenuous,open,openly,plainly,publicly,straight,straightforward,straightforwardly,undeceitful,undeceiving,undeceptive 71 - aboveboard,artless,authentic,before one,bona fide,face to face,fair and square,forthright,foursquare,genuine,good-faith,in broad daylight,in open court,in plain sight,in plain view,in public,in public view,in the marketplace,in the open,ingenuous,on the level,on the square,on the table,on the up-and-up,open,open and aboveboard,openly,overtly,plain dealing,publicly,scrupulous,single-hearted,square,square-dealing,square-shooting,straight,straight-shooting,unsophisticated,up-and-up,veritable 72 - abrade,abate,ablate,abrase,abstract,atomize,bark,bate,beat,blemish,bloody,bother,bray,break,brecciate,bug,burn,chafe,check,chip,claw,comminute,confuse,contriturate,corrode,crack,craze,crumb,crumble,crush,curtail,cut,decrease,deduct,depreciate,derogate,detract,diminish,disintegrate,disorganize,disparage,distract,disturb,drain,eat away,erase,erode,excoriate,exercise,extract,file,file away,flour,fracture,fragment,fray,frazzle,fret,gall,gash,gnaw,gnaw away,grain,granulate,granulize,grate,graze,grind,grind to powder,hurt,impair,incise,injure,irk,lacerate,leach,lessen,levigate,maim,make mincemeat of,mash,maul,mill,mutilate,perturb,pestle,pierce,pound,powder,provoke,pulverize,puncture,purify,rasp,raze,reduce,reduce to powder,refine,remove,rend,retrench,rip,rub,rub away,rub off,rub out,ruffle,run,rupture,savage,scald,scorch,scotch,scour,scrape,scratch,scrub,scrunch,scuff,shard,shorten,shred,skin,slash,slit,smash,sprain,squash,stab,stick,strain,subduct,subtract,take away,take from,tatter,tear,thin,thin out,traumatize,triturate,wear,wear away,wear down,wear off,wear out,wear ragged,weather,weed,withdraw,wound,wrench 73 - abrasion,ablation,abrasive,abstraction,atomization,attrition,beating,blemish,break,brecciation,buffing,burn,burnishing,chafe,chafing,check,chip,comminution,concussion,crack,crackle,craze,crumbling,crushing,cut,deduction,detrition,disintegration,dressing,erasure,erosion,filing,flash burn,fracture,fragmentation,fray,frazzle,fretting,gall,galling,gash,granulation,granulization,grating,grazing,grinding,hurt,incision,injury,laceration,lesion,levigation,limation,mashing,mortal wound,mutilation,polishing,pounding,powdering,puncture,purification,rasping,refinement,removal,rent,rip,rubbing away,run,rupture,sandblasting,sanding,scald,scorch,scouring,scrape,scraping,scratch,scratching,scrub,scrubbing,scuff,second-degree burn,shining,shredding,slash,smashing,smoothing,sore,stab,stab wound,subduction,sublation,subtraction,taking away,tear,third-degree burn,trauma,trituration,wear,wearing away,wound,wounds immedicable,wrench 74 - abrasive,ablation,ablative,abradant,abrasion,aluminum oxide,attrition,attritive,auto polish,buffing,burnish,burnishing,chafe,chafing,colcothar,corundum,crocus,detrition,dressing,emery,emery board,emery paper,erasure,erosion,erosive,file,filing,fretting,galling,garnet,gnawing,grazing,grinding,lawn-roller,limation,nail file,polish,polishes,polishing,pumice,pumice stone,rasp,rasping,roller,rottenstone,rouge,rubbing away,sandblasting,sanding,sandpaper,scouring,scrape,scraping,scratch,scratching,scrub,scrubbing,scuff,shining,shoe polish,silicon carbide,silver polish,sleeker,slicker,smooth,smoother,smoothing,wax,wear,wearing away 75 - abreast,abeam,acquainted,along by,alongside,au courant,au fait,beside,by,coextensively,collaterally,contemporary,conversant,equidistantly,in parallel,informed,nondivergently,parallelly,parallelwise,red-hot,side-by-side,up,up-to-date,up-to-the-minute,versed 76 - abridge,abbreviate,abstract,bereave,bleed,blot out,blue-pencil,bob,boil down,bowdlerize,brief,cancel,capsule,capsulize,censor,clip,compress,condense,contract,crop,cross out,curtail,cut,cut back,cut down,cut off,cut off short,cut short,damp,dampen,decrease,deduct,deflate,delete,depreciate,depress,deprive,deprive of,digest,diminish,disentitle,divest,dock,downgrade,drain,ease one of,edit,edit out,elide,epitomize,erase,expunge,expurgate,foreshorten,kill,lessen,lighten one of,limit,lower,milk,mine,minify,minimize,mow,narrow,nip,nutshell,omit,outline,pare,poll,pollard,prune,reap,recap,recapitulate,reduce,rescind,restrict,retrench,roll back,rub out,scale down,shave,shear,shorten,simplify,sketch,sketch out,slash,snub,step down,strike,strike off,strike out,stunt,sum up,summarize,synopsize,take away from,take from,take in,tap,telescope,trim,truncate,tune down,void 77 - abridged,Spartan,abbreviated,abstracted,aposiopestic,bobbed,brief,brusque,capsule,capsulized,clipped,close,compact,compendious,compressed,concise,condensed,contracted,crisp,cropped,curt,curtailed,cut,cut short,digested,docked,elided,elliptic,epigrammatic,gnomic,laconic,mowed,mown,nipped,pithy,pointed,pollard,polled,pruned,reaped,reserved,sententious,shaved,sheared,short,short and sweet,short-cut,shortened,snub,snubbed,succinct,summary,synopsized,taciturn,terse,tight,to the point,trimmed,truncated 78 - abridgment,abatement,abbreviation,abstract,alleviation,aphorism,apocope,attenuation,bereavement,blue-penciling,bowdlerization,breviary,brief,cancellation,capsule,censoring,censorship,compendium,compression,condensation,conspectus,contraction,curtailment,dampening,damping,decrease,decrement,decrescence,deduction,deflation,deletion,depreciation,depression,deprivation,deprivement,digest,diminishment,diminution,disburdening,disburdenment,disentitlement,divestment,dying,dying off,editing,elision,ellipsis,epigram,epitome,erasure,expurgation,extenuation,fade-out,foreshortening,languishment,lessening,letup,lowering,miniaturization,mitigation,omission,outline,precis,privation,recap,recapitulation,reduction,relaxation,relieving,retrenchment,sagging,scaling down,shortening,simplicity,sketch,striking,subtraction,sum,summary,summation,summing-up,syllabus,syncope,synopsis,telescoping,truncation,weakening 79 - abroad,abashed,aberrant,adrift,afield,alfresco,all abroad,all off,all wrong,amiss,askew,astray,at fault,at large,at sea,away,away from home,awry,beside the mark,bewildered,beyond seas,bothered,broadly,clear,clueless,confused,corrupt,deceptive,defective,delusive,deviant,deviational,deviative,discomposed,disconcerted,dismayed,disoriented,distantly and broadly,distorted,distracted,distraught,disturbed,embarrassed,en plein air,errant,erring,erroneous,everywhere,extensively,fallacious,false,far afield,far and near,far and wide,faultful,faulty,flawed,guessing,heretical,heterodox,illogical,illusory,in a fix,in a maze,in a pickle,in a scrape,in a stew,in foreign parts,in the open,infinitely,lost,mazed,nonresident,not in residence,not right,not true,off,off the track,on all sides,on every side,on leave,on sabbatical leave,on the road,on tour,out,out of doors,outdoors,outside,oversea,overseas,peccant,perturbed,perverse,perverted,publicly,put-out,right and left,self-contradictory,straying,turned around,unfactual,unorthodox,unproved,untrue,upset,vastly,wide,widely,without a clue,wrong 80 - abrogate,abate,abolish,annihilate,annul,blot out,bring to naught,cancel,countermand,counterorder,disannul,discharge,dissolve,do away with,extinguish,invalidate,make void,negate,negative,nullify,obliterate,override,overrule,quash,recall,recant,renege,repeal,rescind,retract,reverse,revoke,ruin,set aside,suspend,undo,vacate,vitiate,void,waive,withdraw,wreck,write off 81 - abrogation,abjuration,abjurement,abolishment,abolition,absolute contradiction,annulment,cancel,canceling,cancellation,cassation,contradiction,contrary assertion,contravention,controversion,countering,countermand,counterorder,crossing,defeasance,denial,disaffirmation,disallowance,disavowal,disclaimer,disclamation,disownment,disproof,forswearing,gainsaying,impugnment,invalidation,nullification,recall,recantation,refutation,renege,renunciation,repeal,repudiation,rescinding,rescindment,rescission,retractation,retraction,reversal,revocation,revoke,revokement,setting aside,suspension,vacation,vacatur,voidance,voiding,waiver,waiving,withdrawal,write-off 82 - abrupt,aggressive,arduous,bearish,beastly,bluff,blunt,blunt-edged,blunt-ended,blunt-pointed,blunted,bluntish,bold,brash,breakneck,breathless,brief,brisk,brusque,casual,cavalier,churlish,crisp,crusty,curt,discourteous,dull,dull-edged,dull-pointed,dulled,dullish,edgeless,electrifying,faired,gruff,harsh,hasty,headlong,hurried,impetuous,impolite,impulsive,informal,nerve-shattering,obtuse,panting,perpendicular,plumb,plunging,pointless,precipitant,precipitate,precipitous,quick,rapid,rash,ready,rough,rounded,rude,rushing,severe,sharp,sheer,shocking,short,sideling,smoothed,snappish,snappy,snippety,snippy,speedy,startling,steep,stickle,sudden,surly,surprising,swift,truculent,unannounced,unanticipated,unceremonious,uncivil,unedged,unexpected,unforeseen,unlooked-for,unplanned,unpointed,unpredicted,unsharp,unsharpened,vertical 83 - abruptly,a corps perdu,bang,bearishly,bluffly,bluntly,boorishly,brashly,brusquely,cavalierly,churlishly,crustily,curtly,dash,forthwith,gruffly,harshly,hastily,head over heels,headfirst,headforemost,headlong,heels over head,impetuously,impulsively,like a flash,like a thunderbolt,nastily,of a sudden,on short notice,plop,plump,plunk,pop,precipitantly,precipitately,precipitously,rashly,sharp,sharply,short,shortly,slap,slap-bang,smack,snippily,startlingly,sudden,suddenly,surprisingly,unawares,unexpectedly,without notice,without warning 84 - abscess,ague,anemia,ankylosis,anoxia,apnea,aposteme,asphyxiation,asthma,ataxia,atrophy,backache,bed sore,blain,bleb,bleeding,blennorhea,blister,blotch,boil,bubo,bulla,bunion,cachexia,cachexy,canker,canker sore,carbuncle,chancre,chancroid,chilblain,chill,chills,cold sore,colic,constipation,convulsion,coughing,cyanosis,diarrhea,dizziness,dropsy,dysentery,dyspepsia,dyspnea,edema,emaciation,eschar,fainting,fatigue,felon,fester,festering,fever,fever blister,fibrillation,fistula,flux,furuncle,furunculus,gathering,growth,gumboil,hemorrhage,hemorrhoids,high blood pressure,hydrops,hypertension,hypotension,icterus,indigestion,inflammation,insomnia,itching,jaundice,kibe,labored breathing,lesion,low blood pressure,lumbago,marasmus,nasal discharge,nausea,necrosis,pain,papula,papule,paralysis,paronychia,parulis,petechia,piles,pimple,pock,polyp,pruritus,pustule,rash,rheum,rising,scab,sclerosis,seizure,shock,skin eruption,sneezing,soft chancre,sore,spasm,stigma,sty,suppuration,swelling,tabes,tachycardia,trauma,tubercle,tumor,ulcer,ulceration,upset stomach,vertigo,vomiting,wale,wasting,welt,wheal,whelk,whitlow,wound 85 - abscond,abandon,absquatulate,beat a retreat,bolt,bow out,break,bunk,clear out,cut and run,decamp,depart,desert,disappear,elope,evacuate,flee,fly,fugitate,go,go AWOL,jump,jump bail,leave,levant,make off,quit,remove,retire,retreat,run,run away,run away from,run away with,run for it,run off,scape,show the heels,skedaddle,skip,skip out,slip the cable,take French leave,take flight,take to flight,take wing,turn tail,vacate,vanish,withdraw 86 - absconded,absent,away,deleted,departed,disappeared,gone,lacking,missing,no longer present,nonattendant,nonexistent,not found,not present,omitted,out of sight,subtracted,taken away,vanished,wanting 87 - absence,AWOL,French leave,abscondence,absence without leave,absentation,absenteeism,absenting,beggary,cut,day off,dearth,default,defect,defectiveness,deficiency,deficit,departure,deprivation,destitution,disappearance,drought,emptiness,escape,excused absence,exigency,famine,fleeing,furlough,holiday,hooky,imperfection,impoverishment,inadequacy,incompleteness,insufficiency,lack,leave,leave of absence,leaving,miss,necessity,need,negation,negativeness,negativity,nihility,nonappearance,nonattendance,nonbeing,nonentity,nonexistence,nonoccurrence,nonreality,nonsubsistence,not-being,nothingness,nullity,omission,paucity,privation,running away,sabbatical leave,scantiness,scarcity,shortage,shortcoming,shortfall,sick leave,starvation,truancy,truantism,unactuality,unexcused absence,unreality,vacancy,vacation,vacuity,vacuum,void,want,wantage 88 - absent,absconded,absentminded,absorbed,abstracted,away,bemused,castle-building,daydreaming,daydreamy,deficient,deleted,departed,disappeared,distrait,dreaming,dreamy,drowsing,ecstatic,elsewhere,engrossed,faraway,forgetful,gone,half-awake,heedless,in a reverie,in the clouds,keep away from,lacking,lost,lost in thought,meditative,missing,mooning,moonraking,museful,musing,napping,no longer present,nodding,nonattendant,nonexistent,not found,not present,oblivious,off,omitted,out,out of sight,pensive,pipe-dreaming,preoccupied,rapt,somewhere else,stargazing,subtracted,taken away,taken up,transported,unconscious,vanished,wanting,withdraw from,woolgathering,wrapped in thought 89 - absent-minded,Lethean,absent,absorbed,abstracted,amnestic,bemused,blocked,castle-building,converted,daydreaming,daydreamy,distracted,distrait,dreaming,dreamy,drowsing,ecstatic,elsewhere,engrossed,faraway,forgetful,forgetting,half-awake,heedless,in a reverie,in a trance,in the clouds,inadvertent,inattentive,inclined to forget,lost,lost in thought,meditative,mooning,moonraking,museful,musing,napping,nodding,oblivious,off,pensive,pipe-dreaming,preoccupied,rapt,repressed,somewhere else,stargazing,suppressed,taken up,transported,unaware,unconscious,unheedful,unheeding,unmindful,unnoticing,unobserving,unperceiving,unseeing,withdrawn,woolgathering,wrapped in thought 90 - absentmindedness,Lethe,Walter Mitty,absence of mind,absorption,abstractedness,abstraction,bemusement,brown study,carelessness,castle-building,daydream,daydreamer,daydreaming,decay of memory,depth of thought,disregard,disregardfulness,distraction,dream,dreaming,engrossment,fantasy,fantasying,fit of abstraction,flightiness,flippancy,forgetfulness,forgetting,forgiveness,frivolousness,giddiness,hazy recollection,heedlessness,inadvertence,inadvertency,inattention,inattentiveness,inconsideration,incuriosity,indifference,inobservance,levity,lightmindedness,mooning,moonraking,muse,musefulness,musing,muted ecstasy,negligence,nepenthe,nirvana,nonobservance,obliteration,oblivion,obliviousness,pipe dream,pipe-dreaming,preoccupation,regardlessness,reverie,shallowness,short memory,stargazing,study,superficiality,thoughtlessness,trance,unalertness,unawareness,unconsciousness,unheedfulness,unintentiveness,unmindfulness,unobservance,unwariness,unwatchfulness,waters of oblivion,woolgathering 91 - absolute zero,algidity,bitterness,bleakness,boiling point,briskness,chill,chilliness,cold,coldness,cool,coolness,coolth,crispness,cryogenics,cryology,decrease in temperature,dew point,freezing point,freshness,frigidity,frostiness,gelidity,iciness,inclemency,intense cold,keenness,low temperature,melting point,nip,nippiness,rawness,recalescence point,rigor,severity,sharp air,sharpness,temperature,zero 92 - absolute,OK,absolutist,absolutistic,abstract,accurate,actual,adducible,admissible,admitting no exception,admitting no question,affirmative,affirmatory,all right,all-embracing,all-encompassing,all-out,all-pervading,all-powerful,almighty,alone,apodictic,arbitrary,aristocratic,arrant,arrogant,ascendant,assertative,assertional,assertive,assuring,attestative,attestive,autarchic,authentic,authoritarian,authoritative,authorized,autocratic,autonomous,azygous,bare,based on,beyond all praise,binding,born,bossy,bound,boundless,broad-based,bureaucratic,categorical,celibate,certain,circumstantial,civic,civil,clarified,classical,clean,clear,clear and distinct,clear as day,clothed with authority,commanding,competent,complete,comprehensive,compulsory,conclusive,concrete,confirmable,congenital,consequential,considerable,constitutional,consummate,controlling,convictional,convincing,correct,crass,cumulative,damning,de facto,dead right,decided,decisive,declarative,declaratory,decretory,deep-dyed,defectless,defined,definite,definitive,democratic,demonstrable,demonstratable,despotic,detailed,determinate,determinative,dictated,dictatorial,different,distilled,distinct,distinguished,documentary,documented,dominant,domineering,downright,duly constituted,dyed-in-the-wool,egregious,eminent,emphatic,empowered,entailed,entire,esoteric,especial,eternal,evidential,evidentiary,ex officio,ex parte,exceptional,exhaustive,explicit,express,extraordinary,eye-witness,factual,fascist,faultless,federal,federalist,federalistic,feudal,final,finished,first and last,firsthand,fixed,flagrant,flat,flat-out,flawless,for real,founded on,free,full,genuine,glaring,global,governing,governmental,great,grinding,gross,grounded on,gubernatorial,hard,hard-and-fast,haste,hearsay,hegemonic,hegemonistic,heteronomous,high-handed,historical,honest-to-God,ideal,illimitable,immaculate,impair,impeccable,imperative,imperial,imperious,implicit,important,imposed,impressive,inappealable,incontestable,incontrovertible,indefectible,indefective,independent,indicative,indisputable,individual,indubitable,ineluctable,inevitable,infallible,infinite,influential,inner,intensive,intimate,intolerable,irrefragable,irrefutable,irreproachable,irresistible,irrevocable,just,just right,leading,letter-perfect,limitless,lone,lordly,magisterial,magistral,mandated,mandatory,masterful,material,matriarchal,matriarchic,meticulous,mighty,minute,momentous,monarchal,monarchial,monarchic,monocratic,must,naked,neat,necessary,no strings,noteworthy,nuncupative,obligatory,odd,official,okay,oligarchal,oligarchic,omnibus,omnipotent,omnipresent,one and only,only,only-begotten,open,oppressive,out-and-out,outright,overbearing,overruling,overwhelming,parliamentarian,parliamentary,particular,patriarchal,patriarchic,peerless,peremptory,perfect,perfectly sure,personal,persuasive,pervasive,plain,plenary,plenipotentiary,plumb,pluralistic,political,positive,potent,powerful,precious,precise,predestined,predetermined,predicational,predicative,preeminent,prescript,prescriptive,prestigious,presumptive,private,probative,profound,prominent,pronounced,proper,provable,puissant,pure,purified,radical,rank,ranking,real,rectified,regular,reliable,repressive,republican,required,respective,right,round,ruling,satisfactory,satisfying,self-evident,self-governing,senior,several,severe,shattering,sheer,shocking,significant,simple,singular,sinless,sole,solipsistic,sovereign,special,specific,spotless,stainless,stark,stark-staring,straight,straight-out,straight-up-and-down,strict,substantial,suggestive,superior,superlative,suppressive,supreme,sure,sure-enough,surpassing,sweeping,symptomatic,taintless,telling,testable,the veriest,theocratic,thorough,thoroughgoing,through-and-through,total,totalitarian,transcendent,transcendental,transparent,true,tyrannical,tyrannous,ubiquitous,ultimate,unadulterated,unalloyed,unambiguous,unanswerable,unbearable,unblemished,unblended,unbound,unbounded,uncircumscribed,uncombined,uncompounded,unconditional,unconditioned,unconfined,unconfutable,unconscionable,unconstrained,uncontaminated,uncorrupted,undeniable,undiluted,undoubting,unequivocal,unfaultable,unflawed,unfortified,unhampered,unhesitating,unimpeachable,unique,universal,univocal,unleavened,unlimited,unmeasured,unmingled,unmistakable,unmitigated,unmixed,unpaired,unqualified,unquestionable,unquestioning,unrefutable,unrelieved,unrepeated,unreserved,unrestrained,unrestricted,unsophisticated,unspoiled,unspotted,untainted,untinged,unwaivable,utter,valid,verifiable,veritable,weighty,whole,wholesale,wide-open,without appeal,without exception,without reserve,without strings 93 - absolutely,OK,Roger,a outrance,actually,affirmatively,all out,all right,alright,alrighty,altogether,amen,and no mistake,as you say,assertively,assuredly,at all events,at any rate,aye,beyond all bounds,beyond compare,beyond comparison,beyond measure,by all means,categorically,certainly,clean,clearly,completely,da,de facto,dead,decidedly,decisively,declaratively,definitely,directly,distinctly,doubtless,doubtlessly,downright,emphatically,entirely,essentially,even,exactly,expressly,extremely,faithfully,faultlessly,fine,flat out,flawlessly,for a certainty,for a fact,for certain,for sure,forsooth,fully,fundamentally,genuinely,good,good enough,hear,ideally,immaculately,immeasurably,impeccably,in actuality,in all respects,in effect,in every respect,in fact,in reality,in the extreme,in truth,incalculably,indeed,indeedy,indefinitely,indubitably,infallibly,infinitely,ipsissimis verbis,irretrievably,irrevocably,ja,just,just right,just so,literally,literatim,mais oui,manifestly,most,most assuredly,most certainly,naturally,naturellement,nothing else but,obviously,of course,okay,oui,perfectly,plain,plumb,point-blank,positively,precisely,predicatively,purely,quite,radically,rather,really,right,righto,rigidly,rigorously,sheer,spotlessly,square,squarely,stark,straight,strictly,sure,sure thing,surely,thoroughly,to a certainty,to be sure,to the letter,totally,truly,unconditionally,under oath,undeviatingly,unequivocally,unerringly,unmistakably,unquestionably,unrelievedly,unreservedly,utterly,verbally,verbatim,verbatim et litteratim,veritably,very well,well and good,wholly,why yes,with a vengeance,with emphasis,word by word,word for word,yea,yeah,yep,yes,yes indeed,yes indeedy,yes sir,yes sirree 94 - absolution,acquittal,acquittance,amnesty,clearance,clearing,compurgation,condonation,destigmatization,destigmatizing,discharge,disculpation,dismissal,exculpation,excuse,exemption,exoneration,forgiveness,grace,immunity,indemnity,pardon,purgation,purging,quietus,quittance,redemption,release,remission,remission of sin,reprieve,shrift,sparing,verdict of acquittal,vindication 95 - absolutism,Caesarism,Stalinism,absolute monarchy,absolute power,autarchy,authoritarianism,authority,autocracy,benevolent despotism,bond service,bondage,captivity,competence,competency,constituted authority,control,czarism,debt slavery,delegated authority,deprivation of freedom,despotism,dictatorship,disenfranchisement,disfranchisement,divine right,domination,enslavement,enthrallment,faculty,feudalism,feudality,helotism,helotry,indentureship,indirect authority,inherent authority,jus divinum,kaiserism,lawful authority,legal authority,legitimacy,monarchy,one-man rule,one-party rule,paternalism,peonage,power,prerogative,regality,restraint,right,rightful authority,royal prerogative,serfdom,serfhood,servility,servitude,slavery,subjection,subjugation,the say,the say-so,thrall,thralldom,totalitarianism,tyranny,vassalage,vested authority,vicarious authority,villenage 96 - absolve,acquit,administer absolution,administer extreme unction,amnesty,cancel,clear,confess,declare a moratorium,decontaminate,destigmatize,discharge,dismiss,dispense,dispense from,dispense with,except,exculpate,excuse,exempt,exempt from,exonerate,forgive,free,give absolution,give dispensation from,grant amnesty to,grant forgiveness,grant immunity,grant remission,hear confession,justify,let go,let off,make confession,nonpros,nullify,obliterate,pardon,purge,quash the charge,receive absolution,release,relieve,remise,remit,save the necessity,set free,shrive,spare,vindicate,whitewash,wipe out,withdraw the charge,write off 97 - absorb,ablate,absorb the attention,adsorb,appreciate,apprehend,appropriate,arrest,assimilate,be with one,bleed white,blot,blot up,burn up,buy up,catch,catch on,catch up in,charm,chemisorb,chemosorb,come uppermost,comprehend,conceive,concern,consume,corner,deplete,dig,digest,drain,drain of resources,draw in,drink,drink in,drink up,eat,eat up,embarrass,embody,enchant,engage,engage the attention,engage the mind,engage the thoughts,engross,engross the mind,engross the thoughts,enmesh,entangle,enthrall,erode,exercise,exhaust,expend,fascinate,fathom,fill the mind,filter in,finish,finish off,follow,get,get hold of,get the drift,get the idea,get the picture,gobble,gobble up,grab,grasp,grip,have,have it taped,hold,hold spellbound,hold the interest,hypnotize,imbibe,imbue,immerse,implicate,impoverish,impregnate,incorporate,infiltrate,infuse,ingest,interest,involve,involve the interest,ken,know,learn,master,mesmerize,metabolize,monopolize,monopolize the thoughts,obsess,obsess the mind,occupy,occupy the attention,occupy the mind,osmose,percolate in,permeate,predigest,preoccupy,read,realize,savvy,seep in,seize,seize the meaning,seize the mind,sense,sew up,slurp up,soak in,soak up,sorb,spellbind,spend,sponge,squander,suck dry,suck into,swallow,swallow up,swill up,take,take in,take up,tangle,understand,use up,waste away,wear away 98 - absorbed,absent,absentminded,absorbed in,abstracted,bemused,buried,buried in,buried in thought,castle-building,caught up in,concentrating,contemplating,contemplative,daydreaming,daydreamy,deep,devoted,devoted to,dreaming,dreamy,drowsing,ecstatic,elsewhere,engaged,engaged in thought,engrossed,engrossed in,engrossed in thought,enmeshed in,entangled in,far-gone,faraway,half-awake,immersed,immersed in,immersed in thought,implicated in,in a reverie,in the clouds,intent,intent on,introspective,involved,involved in,lost,lost in,lost in thought,meditating,meditative,monomaniacal,monopolized,mooning,moonraking,museful,musing,napping,nodding,oblivious,obsessed,occupied,pensive,pipe-dreaming,preoccupied,rapt,single-minded,somewhere else,stargazing,studious,studying,submerged in,swept up,taken up,taken up with,tied up in,totally absorbed,transported,unconscious,woolgathering,wrapped,wrapped in,wrapped in thought,wrapped up,wrapped up in 99 - absorbent,absorbency,absorption,adsorbent,adsorption,assimilation,blotter,blotting,blotting paper,chemisorption,chemosorption,digestion,endosmosis,engrossment,exosmosis,infiltration,osmosis,percolation,seepage,sorption,sponge,sponging 100 - absorbing,acute,arresting,attractive,captivating,consuming,deep,deep-felt,deepgoing,enchanting,engaging,engrossing,enthralling,fascinating,gripping,heartfelt,holding,homefelt,hypnotic,indelible,keen,magnetic,mesmeric,mesmerizing,monopolizing,obsessing,obsessive,penetrating,pervading,piercing,poignant,profound,riveting,sharp,spellbinding 101 - absorption,Walter Mitty,ablation,absence of mind,absentmindedness,absorbed attention,absorbency,absorbent,abstractedness,abstraction,adsorbent,adsorption,application,assimilation,attrition,bemusement,bile,blotter,blotting,blotting paper,brown study,burning up,castle-building,chemisorption,chemosorption,close study,concentration,consumption,contemplation,contemplativeness,daydream,daydreamer,daydreaming,deep study,deep thought,depletion,depth of thought,digestion,digestive system,drain,dream,dreaming,eating up,embarrassment,endosmosis,engagement,engrossment,enmeshment,entanglement,erosion,exhaustion,exosmosis,expending,expenditure,fantasy,fantasying,finishing,fit of abstraction,gastric juice,gastrointestinal tract,imbibing,immersion,implication,impoverishment,inclusion,infiltration,ingestion,intentness,intestinal juice,involution,involvement,liver,meditation,melancholy,monomania,mooning,moonraking,muse,musefulness,musing,muted ecstasy,obsession,osmosis,pancreas,pancreatic digestion,pancreatic juice,pensiveness,percolation,pipe dream,pipe-dreaming,predigestion,preoccupation,profound thought,rapt attention,reflectiveness,relation,reverie,saliva,salivary digestion,salivary glands,secondary digestion,seepage,single-mindedness,soaking-up,sorption,speculativeness,spending,sponge,sponging,squandering,stargazing,studiousness,study,submersion,taking-in,thoughtfulness,trance,using up,wastage,waste,wastefulness,wasting away,wearing away,wearing down,wistfulness,woolgathering 102 - absquatulate,abscond,beat a retreat,bolt,clear out,cut and run,decamp,depart,desert,dog it,elope,flee,fly,fugitate,go AWOL,jump,jump bail,lam,levant,make off,powder,run,run away,run away from,run away with,run for it,run off,show the heels,skedaddle,skip,skip out,slip the cable,split,take French leave,take a powder,take flight,take off,take to flight,take wing,turn tail 103 - abstain,abnegate,abstain from,avoid,constrain,cop out,curb,decline,dispense with,do without,duck the issue,eschew,evade,evade the issue,forbear,forgo,hold,hold aloof from,hold back,hold off,keep,keep back,keep from,keep in hand,let alone,let go by,never touch,not touch,not use,pass up,refrain,refrain from,refuse,reject,reserve,save,shun,sit it out,spare,spurn,stand aloof from,stand neuter,straddle,trim,waive,withhold 104 - abstainer,Albigensian,Apostolici,Catharist,Encratite,Franciscan,Pythagorean,Pythagorist,Rechabite,Sabbatarian,Shaker,Trappist,Waldensian,abstinent,anchorite,ascetic,banian,bhikshu,dervish,fakir,flagellant,fruitarian,gymnosophist,hermit,hydropot,mendicant,nephalist,puritan,sannyasi,teetotaler,teetotalist,vegetarian,water-drinker,yogi,yogin 105 - abstemious,Apostolic,Encratic,Lenten,Pythagorean,Rechabite,Shaker,Spartan,Stoic,abstentious,abstinent,ascetic,austere,celibate,chaste,continent,dwarfed,dwarfish,exiguous,frugal,fruitarian,impoverished,jejune,lean,limited,meager,mean,miserly,narrow,nephalistic,niggardly,on the wagon,paltry,parsimonious,poor,puny,scant,scanty,scrawny,scrimp,scrimpy,self-abnegating,self-denying,sexually abstinent,skimp,skimpy,slender,slight,slim,small,sober,spar,spare,sparing,starvation,stingy,stinted,straitened,stunted,subsistence,sworn off,teetotal,temperate,thin,unnourishing,unnutritious,vegetarian,watered,watery 106 - abstention,Encratism,Friday,Lenten fare,Pythagoreanism,Pythagorism,Rechabitism,Shakerism,Spartan fare,Stoicism,abstainment,abstemiousness,abstinence,anythingarianism,asceticism,avoidance,banyan day,celibacy,chastity,continence,cop-out,desuetude,disuse,eschewal,evasion,fast,fence-sitting,fish day,fruitarianism,gymnosophy,impartiality,independence,mugwumpery,mugwumpism,nephalism,neutralism,neutrality,nonalignment,noncommitment,nonemployment,noninvolvement,nonpartisanism,nonprevalence,nonuse,nothingarianism,obsolescence,obsoleteness,obsoletion,obsoletism,pensioning off,plain living,refraining,refrainment,retirement,sexual abstinence,simple diet,spare diet,strict neutrality,superannuation,teetotalism,the pledge,total abstinence,unprevalence,vegetarianism 107 - abstinence,Albigensianism,Catharism,Encratism,Franciscanism,Friday,Lenten fare,Platonic love,Pythagoreanism,Pythagorism,Rechabitism,Sabbatarianism,Shakerism,Spartan fare,Stoicism,Trappism,Waldensianism,Yoga,abnegation,abstainment,abstemiousness,abstention,abstinence from food,anchoritic monasticism,anchoritism,asceticism,austerity,avoidance,banyan day,calm,calmness,celibacy,chastity,conservatism,constraint,continence,continency,control,cool,desuetude,dispassion,disuse,eremitism,eschewal,evenness,fast,fasting,fish day,flagellation,fruitarianism,gentleness,golden mean,gymnosophy,happy medium,impartiality,intactness,judiciousness,juste-milieu,lenity,maceration,maidenhead,maidenhood,meden agan,mendicantism,middle way,mildness,moderateness,moderation,moderationism,monachism,monasticism,mortification,nephalism,neutrality,nonemployment,nonprevalence,nonuse,nonviolence,nothing in excess,obsolescence,obsoleteness,obsoletion,obsoletism,pacifism,pensioning off,plain living,prudence,punishment of Tantalus,puritanism,refraining,refrainment,renunciation,repose,restraint,restriction of intake,retirement,rigor,self-abnegation,self-control,self-denial,self-mortification,self-restraint,serenity,sexual abstinence,simple diet,sobriety,spare diet,stability,starvation,steadiness,superannuation,teetotalism,temperance,temperateness,the pledge,total abstinence,tranquillity,unexcessiveness,unextravagance,unextremeness,unprevalence,vegetarianism,via media,virginity,voluntary poverty 108 - abstract,abate,abbreviate,abbreviation,abbreviature,abrade,abrege,abridge,abridgment,abstract idea,abstraction,abstruse,academic,altarpiece,and,annex,apocope,appropriate,arcane,armchair,bag,bate,bland,block print,bob,boil down,boost,borrow,breviary,brief,broad,capsule,capsulize,cast off,cast out,chuck,clear,clear away,clear out,clear the decks,clip,collage,collective,color print,colorless,compend,compress,compression,conceptual,condensation,condense,condensed version,conjectural,conspectus,contract,cop,copy,crib,crop,curtail,curtailment,cut,cut back,cut down,cut off short,cut out,cut short,cyclorama,daub,decrease,deduct,deep,defraud,deport,depreciate,derogate,detached,detract,digest,diminish,diptych,disconnect,disengage,disinterested,disparage,dispassionate,dispose of,dissociate,divide,dock,draft,drain,eat away,eject,elide,eliminate,elision,ellipsis,embezzle,engraving,epitome,epitomize,eradicate,erode,esoteric,essence,exile,expatriate,expel,extort,extract,featureless,filch,file away,foreshorten,foreshortening,fresco,general,generalized,generic,get quit of,get rid of,get shut of,head,hidden,hook,hypothetic,hypothetical,icon,ideal,ideational,illumination,illustration,image,impair,impersonal,impractical,indefinite,indeterminate,intellectual,leach,lessen,lift,likeness,liquidate,make off with,metaphysical,miniature,montage,moot,mosaic,mow,mural,nebulous,neutral,nip,nonspecific,notional,occult,outlaw,outline,overview,palm,pandect,panorama,part,photograph,pick out,picture,pilfer,pinch,poach,poker-faced,poll,pollard,postulatory,precis,print,profound,prune,purge,purify,purloin,reap,recap,recapitulate,recapitulation,recondite,reduce,reduction,refine,remove,representation,reproduction,resume,retrench,retrenchment,review,root out,root up,rub away,rubric,run away with,rustle,scrounge,secret,separate,shave,shear,shoplift,shorten,shortened version,shortening,skeleton,sketch,snare,snatch,snitch,snub,speculative,stained glass window,steal,stencil,still life,strike off,strike out,stunt,subduct,subtract,sum up,summarize,summary,summation,survey,swindle,swipe,syllabus,symbolic,syncope,synopsis,synopsize,tableau,take,take away,take from,take in,tapestry,telescope,telescoping,theoretical,thieve,thin,thin out,throw over,throw overboard,thumbnail sketch,topical outline,transcendent,transcendental,trim,triptych,truncate,truncation,unapplied,uncharacterized,uncouple,undemonstrable,undifferentiated,unpractical,unspecified,utopian,vague,visionary,walk off with,wall painting,wear away,weed,weed out,wide,withdraw 109 - abstracted,abbreviated,abridged,absent,absentminded,absorbed,bemused,bobbed,buried in thought,capsule,capsulized,castle-building,clipped,compressed,condensed,cropped,curtailed,cut short,daydreaming,daydreamy,digested,distrait,docked,dreaming,dreamy,drowsing,ecstatic,elided,elliptic,elsewhere,engaged in thought,engrossed,engrossed in thought,faraway,half-awake,heedless,immersed in thought,in a reverie,in the clouds,inattentive,intent,introspective,lost,lost in thought,meditative,mooning,moonraking,mowed,mown,museful,musing,napping,nipped,nodding,oblivious,occupied,pensive,pipe-dreaming,pollard,polled,preoccupied,pruned,rapt,reaped,shaved,sheared,short-cut,shortened,snub,snubbed,somewhere else,stargazing,taken up,transported,trimmed,unconscious,unmindful,woolgathering,wrapped in thought 110 - abstraction,Walter Mitty,ablation,abrasion,absence of mind,absentmindedness,absorption,abstract,abstract idea,abstractedness,abulia,alienation,altarpiece,analysis,annexation,anxiety,anxiety equivalent,anxiety state,apathy,appropriation,bemusement,block print,boosting,bromide,brown study,castle-building,catatonic stupor,cliche,close study,collage,color print,commonplace,compulsion,concentration,contemplativeness,conversion,conveyance,copy,cyclorama,daub,daydream,daydreamer,daydreaming,deduction,deep thought,dejection,depression,depth of thought,detachment,diptych,disarticulation,disassociation,disconnectedness,disconnection,discontinuity,disengagement,disjointing,disjunction,dislocation,disunion,division,divorce,divorcement,doctrinairism,doctrinality,doctrinarity,dream,dreaming,elation,embezzlement,emotionalism,engraving,engrossment,erosion,euphoria,explanation,fantasy,fantasying,filching,fit of abstraction,folie du doute,fraud,fresco,general idea,generalization,generalized proposition,glittering generality,graft,hackneyed expression,hypochondria,hysteria,hysterics,icon,illumination,illustration,image,incoherence,indifference,insensibility,isolation,lethargy,liberation,lieu commun,lifting,likeness,locus communis,luxation,mania,melancholia,melancholy,mental distress,mere theory,miniature,montage,mooning,moonraking,mosaic,mural,muse,musefulness,musing,muted ecstasy,obsession,panorama,parting,partition,pathological indecisiveness,pensiveness,photograph,picture,pilferage,pilfering,pinching,pipe dream,pipe-dreaming,platitude,poaching,preoccupation,print,profound thought,psychalgia,psychomotor disturbance,purification,refinement,reflectiveness,removal,representation,reproduction,reverie,scrounging,segmentation,separation,separatism,shoplifting,snatching,sneak thievery,snitching,speculation,speculativeness,stained glass window,stargazing,stealage,stealing,stencil,still life,study,stupor,subdivision,subduction,sublation,subtraction,sweeping statement,swindle,swiping,tableau,taking away,tapestry,theft,theoretic,theoretical basis,theoretics,theoria,theoric,theorization,theory,thievery,thieving,thoughtfulness,tic,tired cliche,trance,triptych,truism,twitching,unresponsiveness,wall painting,wistfulness,withdrawal,woolgathering,zoning 111 - abstruse,Herculean,abstract,arcane,arduous,beclouded,blind,brutal,buried,civilized,close,clouded,complex,complicated,concealed,covered,covert,critical,cultivated,cultured,deep,delicate,demanding,difficile,difficult,eclipsed,educated,encyclopedic,erudite,esoteric,exacting,formidable,hairy,hard,hard-earned,hard-fought,heavy,hermetic,hid,hidden,hypothetical,ideal,in a cloud,in a fog,in eclipse,in purdah,in the wings,incommunicado,intricate,jawbreaking,knotted,knotty,laborious,latent,learned,lettered,literate,mean,mysterious,no picnic,not easy,obfuscated,obscure,obscured,occult,operose,pansophic,polyhistoric,polymath,polymathic,profound,recondite,rigorous,rough,rugged,scholarly,scholastic,secluded,secluse,secret,sequestered,set with thorns,severe,spiny,steep,strenuous,studious,thorny,ticklish,toilsome,tough,transcendental,tricky,under an eclipse,under cover,under house arrest,under wraps,underground,unknown,uphill,wicked,wise,wrapped in clouds 112 - absurd,Pickwickian,a bit thick,a bit thin,abnormal,amusing,anomalous,asinine,balmy,barred,beyond belief,bizarre,childish,closed-out,cockamamie,comic,contrary to reason,crazy,curious,daft,disproportionate,doubtable,doubtful,droll,dubious,dubitable,eccentric,empty,excluded,extravagant,fantastic,farcical,fatuitous,fatuous,foolish,freaked out,freaky,funny,futile,grotesque,hard of belief,hard to believe,harebrained,high-flown,hilarious,hollow,hopeless,humorous,idiotic,idle,illogical,imbecile,imbecilic,implausible,impossible,inane,incoherent,incommensurable,incommensurate,incompatible,inconceivable,incongruous,inconsequent,inconsistent,inconsonant,incredible,insane,irrational,irreconcilable,kooky,laughable,logically impossible,loony,ludicrous,mad,meaningless,monstrous,moronic,nonsensical,not deserving belief,not possible,nuts,nutty,odd,oddball,off,off the wall,open to doubt,open to suspicion,out,out of proportion,outlandish,outrageous,outre,oxymoronic,paradoxical,passing belief,passing strange,peculiar,poppycockish,potty,preposterous,priceless,problematic,prohibited,quaint,queer,questionable,quizzical,rich,ridiculous,risible,rubbishy,ruled-out,screaming,self-contradictory,senseless,silly,simple,singular,skimble-skamble,staggering belief,strange,stupid,suspect,suspicious,tall,thick,thin,trashy,twaddling,twaddly,unbelievable,unconvincing,unearthly,ungodly,unimaginable,unreasonable,unsound,unthinkable,unworthy of belief,vain,wacky,weird,whimsical,wild,witty,wondrous strange 113 - absurdity,absurdness,act of folly,aimlessness,amphigory,anticness,babble,babblement,balderdash,bibble-babble,bizarreness,bizarrerie,blabber,blather,blunder,bombast,bootlessness,claptrap,craziness,curiousness,daftness,deformity,dottiness,double-talk,drivel,drollery,drollness,drool,dumb trick,eccentricity,emptiness,error,fallacy,fantasticality,fantasticalness,fatuity,fecklessness,fiddle-faddle,fiddledeedee,flummery,folderol,folly,foolishness,freakishness,fruitlessness,fudge,funniness,fustian,futility,gabble,galimatias,gammon,gibber,gibberish,gibble-gabble,gobbledygook,grotesqueness,grotesquerie,hilarity,hocus-pocus,hollowness,hopelessness,humbug,humorousness,illogicality,impossibility,impossible,impossibleness,impotence,imprudence,inanity,inconceivability,incongruity,indiscretion,ineffectiveness,ineffectuality,inefficacy,insanity,irrationality,jabber,jargon,laughability,ludicrousness,malformation,meaninglessness,monstrosity,monstrousness,mumbo jumbo,narrishkeit,niaiserie,no chance,nonsense,nonsensicality,nugacity,nuttiness,oddity,otiosity,outlandishness,outrageousness,oxymoron,pack of nonsense,palaver,paradox,peculiarity,pointlessness,prate,prattle,preposterousness,pricelessness,profitlessness,purposelessness,quaintness,queerness,quizzicalness,rant,rat race,richness,ridiculousness,rigamarole,rigmarole,rodomontade,rubbish,self-contradiction,senselessness,silliness,singularity,skimble-skamble,sottise,strangeness,stuff and nonsense,stultiloquence,stupid thing,stupidity,teratism,the absurd,the funny side,the impossible,trash,triviality,trumpery,twaddle,twattle,twiddle-twaddle,unimaginability,unproductiveness,unprofitability,unprofitableness,unreasonableness,unthinkability,unwise step,valuelessness,vanity,vaporing,vicious circle,waffling,weirdness,what cannot be,what cannot happen,whimsicalness,wildness,witlessness,wittiness,worthlessness 114 - abulia,abstraction,alienation,anxiety,anxiety equivalent,anxiety state,apathy,arteriosclerotic psychosis,catatonic stupor,certifiability,compulsion,cowardice,dejection,dementia paralytica,depression,detachment,dipsomania,drug addiction,elation,emotionalism,euphoria,faintheartedness,faintness,fear,feeblemindedness,feebleness,folie du doute,frailty,functional psychosis,general paralysis,general paresis,hypochondria,hysteria,hysterics,indifference,infirmity,insensibility,lethargy,mania,melancholia,mental distress,metabolic psychosis,moral insanity,neurosis,obsession,organic psychosis,paralytic dementia,pathological drunkenness,pathological indecisiveness,pliability,preoccupation,presenile dementia,prison psychosis,psychalgia,psychomotor disturbance,psychopathia,psychopathia sexualis,psychopathic condition,psychopathic personality,psychopathy,psychosis,senile dementia,senile psychosis,senility,sexual pathology,situational psychosis,spinelessness,stupor,syphilitic paresis,tic,toxic psychosis,twitching,unresponsiveness,weak will,weak-mindedness,weakness,withdrawal 115 - abundance,accumulation,acres,adequacy,affluence,amassment,ample sufficiency,ampleness,amplitude,avalanche,backlog,bags,barrels,bonanza,bountifulness,bountiousness,budget,bumper crop,bushel,cloud of words,collection,commissariat,commissary,competence,copiousness,cornucopia,countlessness,cumulation,diffuseness,diffusion,diffusiveness,dump,ease,easy street,effusion,effusiveness,enough,excess,extravagance,exuberance,fecundity,fertility,flood,flow,fluency,foison,formlessness,fructiferousness,fruitfulness,full measure,fullness,generosity,generousness,glut,great abundance,great plenty,gush,gushing,heap,hoard,infinitude,innumerability,inventory,landslide,larder,lavishness,liberality,liberalness,load,logorrhea,lots,lushness,luxuriance,macrology,manyness,mass,material,materials,materiel,maximum,more than enough,mountain,much,multifariousness,multifoldness,multiplicity,multitude,multitudinousness,munitions,myriad,myriads,nimiety,numerousness,ocean,oceans,opulence,opulency,outpour,outpouring,overflow,oversupply,palilogy,peck,pile,plenitude,plenteousness,plentifulness,plenty,pleonasm,pregnancy,prevalence,procreativeness,prodigality,productive capacity,productiveness,productivity,profuseness,profusion,prolificacy,prolificity,prosperousness,provisionment,provisions,quantities,quantity,rampancy,rankness,rations,redundancy,reiteration,reiterativeness,repertoire,repertory,repetition for effect,repetitiveness,repleteness,repletion,rich harvest,rich vein,richness,rick,rifeness,riot,riotousness,satiety,scads,sea,shower,spate,stack,stock,stock-in-trade,stockpile,store,stores,stream,substantiality,substantialness,sufficiency,superabundance,superfluity,superflux,supplies,supply on hand,surplus,swarmingness,talkativeness,tautology,teeming womb,teemingness,thriving,tirade,tons,treasure,treasury,volume,wealth,well-being,world,worlds 116 - abundant,abounding,affluent,all-sufficing,ample,aplenty,blooming,bottomless,bounteous,bountiful,bursting,bursting out,common,copious,countless,crammed,creative,crowded,diffuse,diffusive,effuse,effusive,epidemic,exhaustless,extravagant,exuberant,fat,fecund,fertile,flourishing,flush,formless,fructiferous,fruitful,full,full of,galore,generous,gushing,gushy,in good supply,in plenty,in quantity,inexhaustible,lavish,liberal,lush,luxuriant,many,maximal,much,multitudinous,numerous,opulent,overflowing,plenitudinous,plenteous,plentiful,plenty,pleonastic,pregnant,prevailing,prevalent,prodigal,productive,profuse,profusive,proliferous,prolific,rampant,redundant,reiterative,repetitive,replete,rich,rife,riotous,running over,seminal,superabundant,swarming,tautologous,teeming,thick,thriving,uberous,wealthy,well-found,well-furnished,well-provided,well-stocked,wholesale 117 - abuse,abuse of office,addiction,afflict,aggrieve,assail,assailing,assault,atrocity,attack,bark at,batter,befoul,befoulment,belittle,berate,berating,betongue,betray,betrayal,bewitch,billingsgate,bitter words,blacken,blackening,blackguard,blaspheme,bleed,bleed white,blight,bruise,buffet,call names,calumniate,calumniation,calumny,catachresis,censure,condemn,contumely,conversion,convert,corrupt,corrupt administration,corruption,criminal assault,crucify,curse,cursing,cuss out,damage,damn,debase,debasement,debauch,debauchment,deceive,decry,defalcate,defalcation,defamation,defame,defile,defilement,defloration,deflower,deflowering,dependence,deprave,deprecate,depreciate,derogate,desecrate,desecration,despoil,despoilment,destroy,detract from,diatribe,disadvantage,discount,disparage,dispraise,disserve,distress,diversion,divert,do a mischief,do evil,do ill,do violence to,do wrong,do wrong by,do wrong to,doom,drain,embezzle,embezzlement,envenom,epithet,epithetize,execrate,execration,exploit,fault,force,foul,fouling,fulminate against,get into trouble,harass,hard words,harm,hex,hurt,ill use,ill-treat,ill-treatment,ill-usage,ill-use,impair,impose,impose upon,imprecation,infect,injure,injury,insult,invective,jaw,jawing,jeremiad,jinx,knock about,lambaste,lead astray,libel,load with reproaches,make use of,maladminister,maladministration,malediction,malfeasance,malign,maligning,malpractice,maltreat,maltreatment,malversation,manhandle,manipulate,mar,masturbation,maul,menace,mess up,milk,minimize,misapplication,misapply,misappropriate,misappropriation,misconduct,misemploy,misemployment,misfeasance,mishandle,mishandling,mislead,mismanage,mismanagement,mistreat,mistreatment,misusage,misuse,molest,molestation,mud,objurgate,objurgation,obloquy,onslaught,oppress,opprobrium,outrage,peculate,peculation,persecute,perversion,pervert,philippic,pilfer,pilfering,play havoc with,play hob with,play on,poison,pollute,pollution,poor stewardship,prejudice,presume upon,priapism,profanation,profane,profanity,prostitute,prostitution,rag,rail at,railing,rape,rate,rating,ravage,rave against,ravish,ravishment,rebuke,reproach,revile,revilement,reviling,rough,rough up,ruin,savage,scathe,scold,scolding,screed,scurrility,seduce,seducement,seduction,self-abuse,sexual assault,slander,soil,spoil,stroke,suck dry,sully,swear,swear at,swearing,taint,take advantage of,threaten,thunder against,tirade,tongue-lash,tongue-lashing,torment,torture,traduce,upbraid,upbraiding,use,use ill,vilification,vilify,violate,violation,violence,vituperate,vituperation,work on,work upon,wound,wreak havoc on,write off,wrong,yell at,yelp at 118 - abusive,Rabelaisian,atrocious,back-biting,backhand,backhanded,belittling,bitchy,blackening,blameful,blasphemous,bludgeoning,blustering,browbeating,brutal,bulldozing,bullying,calumniatory,calumnious,catty,censorious,comminatory,condemnatory,contemptuous,contumelious,corrupt,crooked,cruel,cursing,damnatory,defamatory,degrading,denunciatory,deprecative,deprecatory,depreciative,depreciatory,derisive,derisory,derogative,derogatory,destructive,detractory,dirty,dishonest,disparaging,dysphemistic,epithetic,excommunicative,excommunicatory,execrating,execrative,execratory,fear-inspiring,filthy,foreboding,foul,fulminatory,harmful,hectoring,humiliating,hurtful,imminent,imprecatory,improper,incorrect,injurious,insolent,insulting,intimidating,invective,inveighing,judgmental,left-handed,libelous,lowering,maledictory,maligning,menacing,minacious,minatory,minimizing,misapplied,objurgatory,obscene,odious,offending,offensive,ominous,opprobrious,outrageous,pejorative,perverted,priggish,profane,raw,reproachful,reprobative,reviling,ribald,ridiculing,risque,rude,scandalous,scatologic,scoffing,scurrile,scurrilous,slanderous,slighting,smutty,terroristic,terrorizing,threatening,threatful,truculent,unspeakable,venal,vile,vilifying,vituperative,vulgar,wrong 119 - abut,abut on,adjoin,appose,be based on,be contiguous,be in contact,bear on,bestraddle,bestride,border,border on,bring near,butt,communicate,conjoin,connect,join,juxtapose,juxtaposit,lean on,lie by,lie on,line,march,neighbor,perch,put with,rely on,repose on,rest on,ride,sit on,stand by,stand on,straddle,stride,touch,verge,verge upon 120 - abysmal,Atlantean,Brobdingnagian,Cyclopean,Gargantuan,Herculean,Homeric,abyssal,appalling,astronomic,awful,bottomless,cavernous,colossal,deep as hell,dreadful,elephantine,enormous,epic,fathomless,gaping,giant,giantlike,gigantic,heroic,huge,illimitable,immense,infinite,jumbo,mammoth,mighty,monster,monstrous,monumental,mountainous,plumbless,plunging,prodigious,profound,soundless,stupendous,terrible,titanic,towering,tremendous,unfathomable,unfathomed,unsounded,vast,without bottom,yawning 121 - abyss,Bassalia,Gehenna,Sheol,Tophet,abysm,abyssal zone,arroyo,bathyal zone,benthos,bottom waters,bottomless depths,box canyon,breach,break,canyon,cavity,chap,chasm,check,chimney,chink,cleft,cleuch,clough,col,coulee,couloir,crack,cranny,crater,crevasse,crevice,cut,cwm,deep,deepness,defile,dell,depth,dig,diggings,dike,ditch,donga,draw,excavation,fault,fissure,flaw,flume,fracture,furrow,gap,gape,gash,gorge,groove,ground,gulch,gulf,gully,hades,hole,hollow,incision,inferno,inner space,joint,kloof,leak,mine,moat,netherworld,notch,nullah,ocean bottom,ocean depths,ocean floor,opening,pass,passage,pelagic zone,perdition,pit,profoundness,profundity,quarry,ravine,rent,rift,rime,rupture,scissure,seam,shaft,slit,slot,split,the deep,the deep sea,the deeps,the depths,trench,underworld,valley,void,wadi,well,workings,yawning abyss 122 - AC,DC,absorption current,active current,alternating current,conduction current,convection current,cycle,delta current,dielectric displacement current,direct current,displacement current,eddy current,electric current,electric stream,emission current,exciting current,free alternating current,galvanic current,high-frequency current,idle current,induced current,induction current,ionization current,juice,low-frequency current,magnetizing current,multiphase current,pulsating direct current,reactive current,rotary current,single-phase alternating current,stray current,thermionic current,thermoelectric current,three-phase alternating current,voltaic current,watt current 123 - academia,academe,alma mater,college,college of engineering,community college,degree-granting institution,four-year college,graduate school,institute of technology,ivied halls,journalism school,junior college,law school,medical school,multiversity,normal,normal school,postgraduate school,school of communications,school of education,two-year college,university,university college,varsity 124 - academic,abstract,armchair,book-learned,bookish,booky,chimerical,classroom,closet,collegiate,conjectural,cross-disciplinary,devoted to studies,diligent,donnish,dryasdust,erudite,extramural,graduate,graduate-professional,hypothetic,hypothetical,ideal,idealistic,imaginary,impractical,interdisciplinary,interscholastic,intramural,ivory-tower,learned,lettered,mandarin,moot,notional,owlish,pedagogic,pedagogical,pedantic,postgraduate,postulatory,preceptorial,preschool,professional,professorial,professorlike,rabbinic,scholarly,scholastic,school,schoolish,schoolmastering,schoolmasterish,schoolmasterlike,schoolmasterly,schoolmistressy,schoolteacherish,schoolteachery,speculative,studious,teacherish,teacherlike,teachery,teachy,theoretical,tutorial,university,unpractical,unrealistic,utopian,visionary 125 - academician,bookman,classicist,clerk,colossus of knowledge,genius,giant of learning,humanist,learned clerk,learned man,literary man,litterateur,lover of learning,man of learning,man of letters,mastermind,mine of information,philologist,philologue,philomath,philosophe,philosopher,polyhistor,polymath,pundit,savant,scholar,scholastic,schoolman,student,walking encyclopedia 126 - academy,Gymnasium,Latin school,Realgymnasium,Realschule,Schule,ecole,educational institution,escuela,grammar school,high,high school,institute,intermediate school,junior high,junior high school,middle school,prep school,preparatory school,public school,scholastic institution,school,secondary school,seminary,senior high,senior high school,teaching institution 127 - accede,OK,abide by,accede to,accept,acclaim,accord to,acquiesce,acquiesce in,agree,agree to,agree with,allow,applaud,approve,approve of,assent,attain to,be agreeable,be instated,be willing,buy,cheer,comply,concur,condescend,connive at,consent,consent to silently,cooperate,deign,endorse,face the music,give consent,give the nod,go along with,grant,hail,have no objection,hold with,in toto,knock under,knuckle down,knuckle under,let,live with it,mount the throne,nod,nod assent,not refuse,not resist,obey,okay,permit,ratify,receive,relent,resign,sanction,say aye,say yes,submit,subscribe,subscribe to,succumb,swallow it,swallow the pill,take,take it,take kindly to,take office,vote affirmatively,vote aye,vote for,welcome,wink at,yes,yield assent 128 - accelerate,activate,aggravate,atomize,beef up,blow up,bombard,bundle,bustle,cleave,complicate,concentrate,condense,consolidate,crack on,cross-bombard,crowd,deepen,dispatch,double,drive,drive on,enhance,exacerbate,exaggerate,expedite,fission,forward,gain ground,get going,haste,hasten,hasten on,heat up,heighten,hie on,hop up,hot up,hurry,hurry along,hurry on,hurry up,hustle,hustle up,impel,intensify,jazz up,key up,magnify,make complex,nucleize,open the throttle,pick up speed,precipitate,press,push,push on,push through,put on,put on steam,quicken,race,railroad through,ramify,redouble,reinforce,rev,rush,rush along,shake up,sharpen,smash the atom,soup up,speed,speed along,speed up,spur,stampede,step on it,step up,strengthen,triple,urge,whet,whip,whip along 129 - acceleration,accelerando,aggravation,beefing-up,blowing up,blowup,concentration,condensation,consolidation,deepening,double time,double-quick,double-quick time,drive,enhancement,exacerbation,exaggeration,explosion,festination,forced march,forwarding,getaway,hastening,heating-up,heightening,hurrying,impetus,information explosion,intensification,magnification,pickup,population explosion,quickening,redoubling,reinforcement,speeding,speedup,step-up,strengthening,thrust,tightening 130 - accelerator,PCV valve,alternator,ammeter,atom smasher,atomic accelerator,atomic cannon,bearings,bonnet,boot,brake,bucket seat,bumper,camshaft,carburetor,chassis,choke,clutch,connecting rod,convertible top,cowl,crank,crankcase,crankshaft,cutout,cylinder,cylinder head,dash,dashboard,differential,distributor,exhaust,exhaust pipe,fan,fender,flywheel,gear,gearbox,gearshift,generator,headlight,headrest,hood,horn,ignition,intake,manifold,muffler,parking light,particle accelerator,piston,power brakes,power steering,radiator,rear-view mirror,seat belt,shock absorber,spark plug,speedometer,springs,starter,steering wheel,top,transmission,universal,valve,windscreen,windshield 131 - accent,Alexandrine,accent mark,accents,accentuate,accentuation,amphibrach,amphimacer,anacrusis,anapest,antispast,arsis,articulation,bacchius,bar,beat,belabor,broad accent,brogue,burr,cadence,caesura,cancel,catalexis,character,chatter,chloriamb,chloriambus,colon,comment,concern,concernment,consequence,consequentiality,consideration,conversation,counterpoint,cretic,custos,dactyl,dactylic hexameter,diacritical mark,diaeresis,dimeter,dipody,direct,discourse,distinguish,dochmiac,dot,drawl,dwell on,elegiac,elegiac couplet,elegiac pentameter,elocution,emphasis,emphasize,epitrite,excellence,expression mark,feminine caesura,fermata,foot,force,gab,give emphasis to,grammatical accent,harp on,heptameter,heptapody,heroic couplet,hexameter,hexapody,high order,high rank,highlight,hold,iamb,iambic,iambic pentameter,ictus,import,importance,inflection,intensity,interest,intonation,intonation pattern,ionic,italicize,jingle,key signature,language,lead,level of stress,ligature,lilt,mark,masculine caesura,materiality,measure,merit,meter,metrical accent,metrical foot,metrical group,metrical unit,metrics,metron,metronomic mark,molossus,moment,mora,movement,notation,note,numbers,oral communication,overaccentuate,overemphasize,overstress,paeon,palaver,paramountcy,parole,pause,pentameter,pentapody,period,pitch accent,place emphasis on,point up,prattle,precedence,preeminence,presa,primacy,primary stress,priority,proceleusmatic,prominence,pronunciation,prosodics,prosody,pulsation,pulse,punctuate,pyrrhic,quantity,rapping,regional accent,rhetorical accent,rhythm,rhythmic pattern,rhythmical accent,rhythmical stress,rub in,secondary stress,segno,self-importance,set apart,set off,sign,signature,significance,slur,speaking,speech,spondee,spotlight,sprung rhythm,star,stress,stress accent,stress arsis,stress pattern,superiority,supremacy,swell,swing,symbol,syzygy,talk,talking,tempo mark,tertiary stress,tetrameter,tetrapody,tetraseme,thesis,throb,tie,time signature,tone,tone accent,tribrach,trimeter,tripody,triseme,trochee,twang,underline,underscore,value,vinculum,weak stress,weight,words,worth,yakkety-yak,yakking 132 - accentuate,accent,belabor,dwell on,emphasize,give emphasis to,harp on,highlight,italicize,overaccentuate,overemphasize,overstress,place emphasis on,point up,punctuate,rub in,spotlight,star,stress,underline,underscore 133 - accept,OK,abide by,abide with,accede,accede to,accept for gospel,accept implicitly,acclaim,accord to,accredit,acknowledge,acquiesce,acquiesce in,acquire,admire,admit,adopt,affiliate,affirm,agree,agree provisionally,agree to,agree with,allow,amen,applaud,approve,approve of,assent,assent grudgingly,assent to,assume,attack,attempt,authenticate,authorize,autograph,avow,be agreeable,be big,be certain,be content with,be easy with,be willing,bear,bear with,believe,believe without reservation,bless,blink at,bow,brook,buckle to,buy,capitulate,carry,catch,certify,cheer,come by,come in for,compass,comply,comprehend,concede,condescend,condone,confess,confirm,connive at,consent,consent to,consent to silently,cosign,countenance,countersign,credit,deign,derive,derive from,disregard,drag down,draw,draw from,embark in,embark upon,embrace,endeavor,endorse,endure,engage in,enter on,enter upon,espouse,esteem,experience,express general agreement,face the music,fall into,fall to,fancy,favor,follow,gain,get,get under way,give consent,give faith to,give permission,give the go-ahead,give the imprimatur,give the nod,give thumbs up,go about,go along with,go at,go for,go in for,go into,go upon,grant,grasp,grin and abide,hail,have,have at,have coming in,have no objection,hold with,ignore,in toto,initial,judge not,keep in countenance,knock under,knuckle down,knuckle under,launch forth,launch into,lay about,lean over backwards,let go by,let in,let pass,like,listen to reason,live with,live with it,move into,nod,nod assent,not oppose,not refuse,not resist,not write off,notarize,obey,obtain,okay,overlook,own,pass,pass on,pass upon,permit,pitch into,plunge into,pocket,proceed to,pull down,put faith in,put up with,ratify,receive,recognize,relent,relish,resign,respect,rise above,rubber stamp,sanction,say amen to,say aye,say yes,seal,second,secure,see,see both sides,set about,set at,set forward,set going,set store by,set to,show no amazement,shrug,shrug it off,sign,sign and seal,stand,stomach,submit,submit to,subscribe to,succumb,suffer,support,suspend judgment,swallow,swallow it,swallow the pill,swear and affirm,swear to,tackle,take,take for granted,take in,take it,take kindly to,take on,take on faith,take on trust,take over,take stock in,take up,think well of,tolerate,treat as routine,trust,turn to,undergo,undersign,understand,undertake,underwrite,uphold,validate,venture upon,view with favor,view with indulgence,visa,vise,vote affirmatively,vote aye,vote for,warrant,welcome,wink at,withstand,yes,yield,yield assent,yield to 134 - acceptable,OK,adequate,admissible,adorable,agreeable,all right,alright,appetizing,attractive,average,bearable,better than nothing,commonplace,decent,delightful,desirable,eligible,endurable,enfranchised,enviable,exciting,fair,fairish,fit,fitted,good,good enough,goodish,grateful,gratifying,likable,lovable,moderate,mouth-watering,not amiss,not bad,not half bad,not so bad,okay,ordinary,passable,pleasant,pleasing,presentable,pretty good,provocative,qualified,respectable,satisfactory,satisfying,sufficient,suitable,supportable,taking,tantalizing,tempting,tenable,tidy,to be desired,tolerable,toothsome,unexceptionable,unexceptional,unimpeachable,unobjectionable,viable,welcome,winning,with voice,with vote,workmanlike,worth having,worthy 135 - acceptance,CD,IOU,John Hancock,MO,OK,acceptance bill,acceptation,acception,accession,accord,acknowledgment,acquiescence,acquisition,adherence,admiration,admission,admittance,adoption,affiliation,affirmance,affirmation,affirmative,affirmative voice,agreement,agreement in principle,allowance,appreciation,approbation,approval,assent,assentation,assumption,authentication,authorization,avowal,aye,bank acceptance,bank check,baptism,bill,bill of draft,bill of exchange,blank check,blessing,certificate,certificate of deposit,certification,certified check,check,checkbook,cheque,clemency,clementness,comfort,commercial paper,compassion,complaisance,compliance,composure,concession,concurrence,confession,confirmation,connivance,consent,content,contentedness,contentment,countenance,countersignature,debenture,declaration,deference,demand bill,demand draft,derivation,draft,due bill,eagerness,ease,easiness,easygoingness,embracement,endorsement,endurance,enlistment,enrollment,entire satisfaction,espousal,esteem,euphoria,exchequer bill,favor,favorable vote,forbearance,forbearing,forbearingness,fortitude,fulfillment,general agreement,gentleness,getting,go-ahead,green light,happiness,hearty assent,homage,humaneness,humanity,immission,imprimatur,inauguration,induction,indulgence,initiation,installation,instatement,intromission,investiture,kneeling,laxness,lenience,leniency,lenientness,lenity,letter of credit,long-sufferance,long-suffering,longanimity,mercifulness,mercy,mildness,moderateness,money order,negotiable instrument,nod,nonopposal,nonopposition,nonresistance,notarization,note,note of hand,obedience,obeisance,okay,ordination,paper,passiveness,passivity,patience,patience of Job,patientness,peace of mind,permission,perseverance,pity,postal order,profession,promissory note,promptitude,promptness,ratification,readiness,receipt,receival,received meaning,receiving,reception,recognition,reconcilement,reconciliation,resignation,resignedness,respect,rubber stamp,sanction,satisfaction,seal,seal of approval,self-control,sight bill,sight draft,sigil,signature,signet,softness,stamp,stamp of approval,stoicism,subjection,submission,submittal,subscription,sufferance,supineness,support,sweet reasonableness,taking,tenderness,the nod,time bill,time draft,tolerance,toleration,trade acceptance,treasury bill,ungrudgingness,unloathness,unreluctance,usage,validation,visa,vise,voice,vote,voucher,waiting game,waiting it out,warm assent,warrant,welcome,well-being,willingness,yea,yea vote,yielding 136 - acceptation,acceptance,acception,acquiescence,assurance,assuredness,belief,certainty,confidence,credence,credit,credulity,dependence,faith,hope,import,intendment,message,purport,received meaning,reception,reliance,reliance on,sense,significance,significancy,signification,stock,store,sureness,surety,suspension of disbelief,trust,understanding,usage 137 - accepted,Christian,acclaimed,accustomed,acknowledged,admired,admitted,adopted,advocated,affirmed,allowed,applauded,appointed,approved,assumed,authentic,authenticated,authoritative,avowed,backed,being done,believed,canonical,carried,cathedral,certified,chanced,chosen,chronic,comme il faut,conceded,confessed,confirmed,conformable,consuetudinary,conventional,correct,countersigned,credited,cried up,current,customary,de rigueur,decent,decorous,designated,elect,elected,elected by acclamation,embraced,endorsed,espoused,established,evangelical,everyday,ex cathedra,faithful,familiar,favored,favorite,firm,formal,generally accepted,granted,habitual,handpicked,highly touted,in good odor,in hand,in process,in progress,in the works,literal,magisterial,meet,named,nominated,normal,notarized,obtaining,of the faith,official,on the anvil,ordinary,orthodox,orthodoxical,passed,picked,popular,prescribed,prescriptive,prevalent,professed,proper,ratified,received,recognized,recommended,regular,regulation,right,routine,sanctioned,scriptural,sealed,seemly,select,selected,set,signed,sound,stamped,standard,stock,supported,sworn and affirmed,sworn to,textual,time-honored,traditional,traditionalistic,true,true-blue,trusted,unanimously elected,uncontested,under way,undertaken,underwritten,undisputed,undoubted,unquestioned,unsuspected,usual,validated,warranted,well-thought-of,widespread,wonted 138 - accepting,Spartan,abject,acquiescent,agreeable,armed with patience,assenting,at ease,clement,comfortable,compassionate,complaisant,compliable,compliant,complying,composed,consenting,content,contented,disciplined,easy,easygoing,endurant,enduring,eupeptic,euphoric,forbearant,forbearing,forgiving,gentle,happy,humane,indulgent,lax,lenient,long-suffering,longanimous,merciful,mild,moderate,nondissenting,nonresistant,nonresisting,nonresistive,obedient,of good comfort,passive,patient,patient as Job,persevering,philosophical,pleased,reconciled,resigned,sans souci,satisfied,self-controlled,servile,soft,stoic,submissive,subservient,supine,tender,tolerant,tolerating,tolerative,unassertive,uncomplaining,understanding,unrepining,unresistant,unresisting,without care 139 - access,Jacksonian epilepsy,Rasputin,Rolandic epilepsy,Svengali,VIP,abdominal epilepsy,accessibility,accession,accretion,accrual,accruement,accumulation,acquired epilepsy,activated epilepsy,addition,adit,admission,admittance,advance,advent,affect epilepsy,afflux,affluxion,aggrandizement,air lock,aisle,akinetic epilepsy,alley,ambulatory,amplification,aperture,apoplexy,appreciation,approach,approachability,approaching,appropinquation,approximation,appulse,arcade,arrest,artery,ascent,attack,attainability,augmentation,autonomic epilepsy,availability,avenue,bad influence,ballooning,big wheel,blaze of temper,bloating,blockage,blowup,boom,boost,broadening,buildup,burst,cardiac epilepsy,channel,cloister,clonic spasm,clonus,colonnade,come-at-ableness,coming,coming near,coming toward,communication,conduit,connection,convulsion,corridor,cortical epilepsy,court,covered way,cramp,crescendo,cursive epilepsy,defile,development,diurnal epilepsy,eclampsia,edema,elevation,eminence grise,enlargement,entrance,entranceway,entree,entry,entryway,epilepsia,epilepsia gravior,epilepsia major,epilepsia minor,epilepsia mitior,epilepsia nutans,epilepsia tarda,epilepsy,epitasis,eruption,exit,expansion,explosion,extension,falling sickness,ferry,fit,five-percenter,flare-up,flood,flowing toward,focal epilepsy,ford,forthcoming,frenzy,friend at court,gain,gallery,gangplank,gangway,getatableness,gettableness,good influence,grand mal,gray eminence,greatening,grip,growth,gush,gust,hall,haute mal,heavyweight,hidden hand,high words,hike,hysterical epilepsy,ictus,imminence,import,importation,importing,in,income,incoming,increase,increment,infiltration,inflation,influence,influence peddler,influencer,ingoing,ingress,ingression,ingroup,inlet,input,insertion,insinuation,intake,interchange,interpenetration,intersection,introduction,introgression,intrusion,jump,junction,key,kingmaker,lane,larval epilepsy,laryngeal epilepsy,laryngospasm,latent epilepsy,leakage,leap,lobby,lobbyist,lockjaw,lords of creation,man of influence,manipulator,matutinal epilepsy,means of access,menstrual epilepsy,mounting,multiplication,musicogenic epilepsy,myoclonous epilepsy,nearing,nearness,nocturnal epilepsy,obtainability,obtainableness,occlusion,oncoming,onset,open arms,open door,open sesame,opening,openness,orgasm,outburst,outlet,overpass,pang,paroxysm,pass,passage,passageway,penetrability,penetration,percolation,perviousness,petit mal,physiologic epilepsy,portico,powers that be,pressure group,procurability,procurableness,productiveness,proliferation,proximation,psychic epilepsy,psychomotor epilepsy,railroad tunnel,raise,reachableness,reception,reflex epilepsy,rise,rotatoria,route,sally,scene,securableness,seepage,seizure,sensory epilepsy,serial epilepsy,sexual climax,sinister influence,snowballing,spasm,special interests,special-interest group,spell,spread,stitch,stoppage,storm,stroke,surge,swelling,taking,tardy epilepsy,tetanus,tetany,the Establishment,throes,thromboembolism,thrombosis,tonic epilepsy,tonic spasm,torsion spasm,traject,trajet,traumatic epilepsy,trismus,tumescence,tunnel,turn,twinge,ucinate epilepsy,underpass,up,upping,upsurge,upswing,uptrend,upturn,very important person,vestibule,visitation,waxing,way,way in,wheeler-dealer,widening,wire-puller 140 - accessible,adaptable,affirmed,all-around,amenable,announced,approachable,at hand,attainable,attendant,available,broadcast,brought to notice,candid,circulated,come-at-able,common knowledge,common property,communicative,convenient,conversable,current,declared,demonstrative,diffused,disseminated,distributed,effusive,employable,expansive,extroverted,findable,frank,free,free-speaking,free-spoken,free-tongued,getatable,gettable,gossipy,handy,immanent,immediate,impressionable,in circulation,in print,in view,indwelling,influenceable,inherent,made public,malleable,movable,newsy,obtainable,of all work,on board,on call,on deck,on hand,on tap,open,open to,open-minded,openable,operative,outgoing,outspoken,penetrable,permeable,persuadable,persuasible,pervious,plastic,pliable,pliant,practicable,present,proclaimed,procurable,propagated,public,published,reachable,ready,receptive,reported,responsive,securable,self-revealing,self-revelatory,sociable,spread,stated,suasible,suggestible,susceptible,swayable,talkative,telecast,televised,to be had,to hand,unconstrained,unhampered,unrepressed,unreserved,unrestrained,unrestricted,unreticent,unsecretive,unshrinking,unsilent,unsuppressed,usable,versatile,weak,within call,within reach,within sight 141 - accession,accedence,acceptance,access,accessory,accompaniment,accretion,accrual,accruement,accumulation,acquiescence,acquirement,acquisition,addenda,addendum,additament,addition,additive,additory,additum,adjunct,adjunction,adjuvant,advance,advent,affixation,afflux,affluxion,agglutination,aggrandizement,agreement,agreement in principle,amplification,annex,annexation,anointing,anointment,appanage,appendage,appendant,appointment,appreciation,approach,approaching,appropinquation,approximation,appulse,appurtenance,appurtenant,arrogation,ascent,assent,assentation,assignment,assumption,attachment,attainment,augment,augmentation,authorization,ballooning,bloating,boom,boost,broadening,buildup,coda,coming,coming by,coming near,coming toward,complement,compliance,concomitant,concurrence,consecration,consent,continuation,corollary,coronation,crescendo,delegation,deputation,development,dragging down,earnings,edema,election,elevation,empowerment,enlargement,enthronement,expansion,extension,extrapolation,fixture,flood,flowing toward,forthcoming,gain,gaining,general agreement,getting,getting hold of,greatening,growth,gush,hearty assent,hike,imminence,inauguration,increase,increment,induction,inflation,installation,installment,instatement,investiture,joining,jump,junction,juxtaposition,leap,legitimate succession,making,moneygetting,moneygrubbing,moneymaking,mounting,multiplication,nearing,nearness,obtainment,obtention,offshoot,oncoming,pendant,placement,prefixation,procural,procurance,procuration,procurement,productiveness,proliferation,proximation,raise,reinforcement,rise,securement,seizure,side effect,side issue,snowballing,spread,succession,suffixation,superaddition,superfetation,superjunction,superposition,supplement,supplementation,support,surge,swelling,tailpiece,taking office,taking over,trover,tumescence,undergirding,uniting,up,upping,upsurge,upswing,uptrend,upturn,usurpation,warm assent,waxing,welcome,widening,winning 142 - accessory,a party to,abettor,accessary,accession,accessories,accident,accidental,accompaniment,accompanying,accomplice,accomplice in crime,accretion,addenda,addendum,additament,addition,additional,additive,additory,additum,adjunct,adjuvant,adscititious,adventitious,aide,ancillary,annex,annexation,another,appanage,appanages,appendage,appendages,appendant,appendix,appointments,appurtenance,appurtenances,appurtenant,ascititious,assistant,assisting,associated,attachment,attendant,attending,augment,augmentation,auxiliary,belongings,casual,choses,choses in action,choses in possession,choses local,choses transitory,circumstantial,coconspirator,coda,cohort,coincident,collaborator,collateral,colleague,combined,complement,component,concomitant,concurrent,confederate,conjoint,conspirator,contingency,contingent,continuation,contributory,copartner,corollary,correlative,cotenant,coupled,defendant,doodad,engaged,extension,extra,extrapolation,farther,fellow,fellow conspirator,fixture,fortuitous,fostering,fresh,frill,further,happenstance,helper,helping,implicated,incidental,increase,increment,inessential,instrumental,involved,joined,joint,litigant,litigationist,litigator,material things,mere chance,ministerial,ministering,ministrant,more,movables,mutual,new,nonessential,not-self,nurtural,nutricial,offshoot,other,paired,panel,parallel,paraphernalia,partaker,partaking,participant,participating,participative,participator,participatory,parties litigant,partner,party,pendant,perquisites,personal effects,plaintiff,plus,reinforcement,secondary,serving,shareholder,sharer,sharing,side effect,side issue,simultaneous,socius criminis,spare,subordinate,subservient,subsidiary,suitor,superadded,superaddition,superfluous,supernumerary,supervenient,supplement,supplemental,supplementary,surplus,tailpiece,things,trappings,tributary,twin,ulterior,undergirding,unessential,witness 143 - accident prone,breakneck,careless,desperate,devil-may-care,furious,harum-scarum,hasty,headlong,hotheaded,hurried,impetuous,mad,overeager,overenthusiastic,overzealous,precipitant,precipitate,precipitous,reckless,slap-bang,slapdash,wanton,wild 144 - accident,accessary,accessory,accidental,addendum,addition,adjunct,adventure,appendage,appurtenance,auxiliary,blow,blunder,calamity,casualty,cataclysm,catastrophe,chance,chance hit,collateral,collision,coming to be,contingency,contingent,contretemps,crack-up,crash,destiny,disaster,event,eventuality,eventuation,extra,fate,fluke,fortuity,fortune,freak accident,grief,hap,happening,happenstance,hazard,ill hap,incidence,incidental,inessential,kismet,long odds,long shot,luck,lucky shot,materialization,mere chance,misadventure,mischance,misfortune,mishap,mistake,nasty blow,nonessential,not-self,other,pileup,realization,secondary,serendipity,shipwreck,shock,smash,smashup,staggering blow,subsidiary,superaddition,supplement,tragedy,unessential,wreck 145 - accidental,accessory,accident,accidentally,accompanying,addendum,addition,additional,adjunct,ado,adscititious,adventitious,afloat,afoot,aleatory,appendage,appurtenance,appurtenant,ascititious,auxiliary,breve,by-the-way,casual,casually,causeless,chance,chancy,circumstantial,coincident,coincidental,collateral,conditional,contingency,contingent,crotchet,current,demisemiquaver,dependent,destinal,dicey,doing,dominant,dominant note,double whole note,eighth note,enharmonic,enharmonic note,eventuating,extra,fatal,fatidic,flat,fluky,fortuitous,fortuitously,going on,half note,happening,happenstance,hemidemisemiquaver,iffy,in hand,in the wind,inadvertent,incidental,indeterminate,inessential,lucky,mere chance,minim,musical note,natural,nonessential,not-self,note,occasional,occurring,odd,on,on foot,ongoing,other,parenthetical,passing,patent note,prevailing,prevalent,provisional,quarter note,quaver,random,report,responding note,resultant,risky,secondary,semibreve,semiquaver,serendipitous,shaped note,sharp,sixteenth note,sixty-fourth note,spiccato,staccato,subsidiary,superadded,superaddition,superfluous,supervenient,supplement,supplemental,supplementary,sustained note,taking place,tercet,thirty-second note,tone,triplet,unanticipated,uncalculated,uncaused,under way,undesigned,undetermined,unessential,unexpected,unforeseeable,unforeseen,unintended,unintentional,unlooked-for,unlucky,unmeant,unplanned,unpredictable,unpremeditated,unpurposed,unwitting,whole note 146 - acclaim,abide by,accede,accept,acclamation,acquiesce,acquiesce in,agree,agree to,agree with,applaud,applause,assent,big hand,burst of applause,buy,celebrity,character,cheer,cheer on,clap,clap the hands,clapping,clapping of hands,compliment,comply,consent,eclat,encore,exalt,fame,famousness,figure,give a hand,give the nod,glorify,glory,hail,hand,handclap,handclapping,hear it for,hold with,homage,honor,in toto,kudos,magnify,name,nod,nod assent,notoriety,notoriousness,ovation,plaudit,plaudits,popularity,praise,publicity,receive,reclame,recognition,recommend,renown,report,reputation,repute,reverence,root for,round of applause,subscribe to,take kindly to,the bubble reputation,thunder of applause,vogue,vote for,welcome,yes,yield assent 147 - acclaimed,accepted,admired,admitted,advocated,applauded,approved,backed,celebrated,cried up,distinguished,fabled,famed,famous,far-famed,far-heard,favored,favorite,highly touted,honored,in good odor,legendary,marked,much acclaimed,mythical,notable,noted,notorious,of mark,of note,popular,received,recommended,renowned,supported,talked-about,talked-of,well-known,well-thought-of 148 - acclamation,acclaim,accord,accordance,agreement,agreement of all,applause,big hand,burst of applause,cheer,chorus,clap,clapping,clapping of hands,common assent,common consent,concert,concord,concordance,concurrence,consensus,consensus gentium,consensus of opinion,consensus omnium,consent,consentaneity,eclat,encore,general acclamation,general agreement,general consent,general voice,hand,handclap,handclapping,harmony,like-mindedness,meeting of minds,mutual understanding,one accord,one voice,ovation,plaudit,plaudits,popularity,round of applause,same mind,single voice,thunder of applause,total agreement,unanimity,unanimousness,understanding,unison,universal agreement 149 - acclimate,acclimatize,accommodate,accustom,adapt,adjust,break,break in,case harden,condition,confirm,domesticate,domesticize,establish,familiarize,fix,gentle,habituate,harden,housebreak,inure,naturalize,orient,orientate,season,tame,toughen,train,wont 150 - accolade,adulation,apotheosis,award,badge,bays,bepraisement,citation,congratulation,decoration,deification,distinction,eloge,encomium,eulogium,eulogy,exaltation,excessive praise,flattery,glorification,glory,hero worship,homage,hommage,honor,honorable mention,idolatry,idolizing,kudos,laud,laudation,laurels,lionizing,magnification,meed of praise,mention,overpraise,paean,panegyric,praise,tribute 151 - accommodate,acclimate,acclimatize,accommodate,accommodate with,accord,accustom,adapt,adapt to,adjust,adjust to,advance,afford,agree with,alter,ameliorate,arrange,arrange matters,assimilate,assimilate to,attune,balance,be guided by,bend,bestow,better,billet,board,bow,break,break in,break up,bring to terms,bring together,cancel,case harden,cater to,change,chime in with,close,close with,clothe,compensate,comply,comply with,compose,compound,compromise,conclude,condition,confirm,conform,contribute,convenience,convert,coordinate,cop out,correct,correspond,counterbalance,counterpoise,countervail,cut to,defer,deform,denature,discipline,diversify,do a favor,do a service,do right by,domesticate,domesticize,domicile,domiciliate,donate,duck responsibility,encase,enclose,endow,entertain,equalize,equate,equip,establish,evade responsibility,even,even up,fall in with,familiarize,favor,favor with,fill,fill up,find,fit,fix,fix up,float a loan,follow,fund,furnish,furnish accommodations,gear to,gentle,give,give and take,give way,go by,go fifty-fifty,habituate,harbor,harden,harmonize,heal the breach,heap upon,hold,homologate,homologize,house,housebreak,humor,improve,indulge,indulge with,integrate,inure,invest,keep,key to,lavish upon,lease-lend,lend,lend-lease,level,loan,loan-shark,lodge,maintain,make a deal,make an adjustment,make available,make concessions,make conform,make plumb,make provision for,make uniform,make up,measure,mediate,meet,meet halfway,meliorate,mitigate,modify,modulate,mold,mutate,naturalize,negotiate a loan,oblige,observe,orient,orient the map,orientate,overthrow,patch things up,play politics,poise,pour on,prepare,present,proportion,provide,provide for,put in tune,put up,quadrate,qualify,quarter,re-create,reach a compromise,realign,rebuild,reconcile,reconstruct,recruit,rectify,redesign,refit,reform,regulate,remake,renew,replenish,reshape,resolve,restore harmony,restructure,reunite,revamp,revive,right,ring the changes,rub off corners,season,serve,set,set right,settle,settle differences,settle with,shape,shelter,shift the scene,show kindness to,shower down upon,shuffle the cards,similarize,smooth it over,split the difference,square,stock,store,straighten,straighten out,strike a balance,strike a bargain,submit,subsidize,subvert,suit,supply,support,surrender,sync,synchronize,tailor,take the mean,tally with,tame,train,treat well,trim to,true,true up,tune,turn the scale,turn the tables,turn the tide,turn upside down,vary,weave peace between,wont,work a change,work out,worsen,yield 152 - accommodating,accessible,accommodative,acquiescent,adapting,adaptive,adjusting,affable,agreeable,amenable,amiable,attentive,benevolent,benign,benignant,bribable,civil,complaisant,compliant,conciliatory,considerate,cooperative,corruptible,courteous,decent,deferential,delicate,fair,friendly,generous,graceful,gracious,heedful,helpful,hospitable,humble,indulgent,kind,kindly,lenient,meek,mindful,mindful of others,obedient,obliging,overindulgent,overpermissive,passive,permissive,pliable,pliant,polite,reconciled,regardful,resigned,respectful,solicitous,submissive,tactful,thoughtful,tolerant,uncomplaining,unresisting,urbane,yielding 153 - accommodation,Wall Street loan,abatement of differences,about-face,acclimation,acclimatization,accommodations,accord,accordance,accustoming,acquiescence,adaptation,adaption,adjustment,advance,advantage,agreement,alignment,alteration,amelioration,amenity,apostasy,appliance,appurtenance,arrangement,assimilation,attunement,award,awarding,bargain,bearings,bed,bed and board,bestowal,bestowment,betterment,board,board and room,break,breaking,breaking-in,burden,call loan,call money,capacity,case hardening,change,change of heart,changeableness,closing,coaptation,collateral loan,communication,compliance,composition,composition of differences,compromise,concession,conclusion,conditioning,conferment,conferral,conformance,conformation,conformation other-direction,conformity,congruity,consistency,constructive change,content,continuity,contribution,convenience,conventionality,conversion,coordination,cop-out,cordage,correspondence,deal,defection,degeneration,degenerative change,deliverance,delivery,demand loan,desertion of principle,deterioration,deviation,difference,digs,discontinuity,disorientation,divergence,diversification,diversion,diversity,domestication,donation,endowment,equalization,equalizing,equating,equation,equilibration,evasion of responsibility,evening,evening up,external loan,facilities,facility,familiarization,favor,financial assistance,fitting,flexibility,flip-flop,foreign loan,furnishment,gifting,give-and-take,giving,giving way,gradual change,grant,grant-in-aid,granting,habituation,hardening,harmonization,harmony,housebreaking,housing,impartation,impartment,improvement,integration,inurement,investiture,keep,keeping,lend,liberality,limit,line,loan,lodgings,long-term loan,malleability,measure,melioration,mitigation,modification,modulation,mutual concession,naturalization,obedience,observance,offer,orientation,orthodoxy,overthrow,pliancy,policy loan,poundage,premises,presentation,presentment,provision,qualification,quantity,quarters,radical change,re-creation,realignment,reconcilement,reconciliation,redesign,reform,reformation,regulation,remaking,renewal,reshaping,resolution,restructuring,reversal,revival,revivification,revolution,room,rooms,sealing,seasoning,secured loan,settlement,shelter,shift,short-term loan,signature,signing,solemnization,space,squaring,stowage,strictness,subscription,subsistence,sudden change,supplying,surrender,switch,synchronization,taming,terms,time loan,timing,tonnage,total change,traditionalism,training,transition,treaty,turn,turnabout,understanding,uniformity,unsecured loan,upheaval,variation,variety,violent change,volume,vouchsafement,worsening,yielding 154 - accommodations,accommodation,bed,bed and board,berth,board,board and room,diggings,digs,facilities,housing,keep,living quarters,lodging,lodgings,lodgment,quarters,rooms,roost,shelter,sleeping place,subsistence 155 - accompaniment,accession,accessory,accordance,addenda,addendum,additament,addition,additive,additory,additum,adjunct,adjuvant,agreement,alliance,alto,annex,annexation,appanage,appendage,appendant,appurtenance,appurtenant,association,attachment,augment,augmentation,baritone,bass,basso continuo,basso ostinato,bassus,cahoots,canto,cantus,cantus figuratus,cantus planus,co-working,coaction,coda,coetaneity,coetaneousness,coevalneity,coevalness,coexistence,coincidence,collaboration,collectivity,collusion,combination,combined effort,complement,concert,concerted action,concomitance,concomitant,concordance,concourse,concurrence,confluence,conjunction,consilience,conspiracy,contemporaneity,contemporaneousness,continuation,continuo,contralto,cooperation,corollary,correspondence,descant,drone,extension,extrapolation,figured bass,fixture,ground bass,increase,increment,isochronism,junction,line,offshoot,parasitism,part,pendant,plain chant,plain song,prick song,reinforcement,saprophytism,side effect,side issue,simultaneity,soprano,supplement,symbiosis,synchronism,synchronization,synergy,tailpiece,tenor,thorough bass,treble,undergirding,undersong,union,unison,united action,voice,voice part 156 - accompany,agree,associate,associate with,assort with,attend,band together,be in phase,be in time,chaperon,chaperone,chord,coexist,coextend,coincide,combine,companion,concertize,concur,confederate,consociate,consort with,contemporize,convoy,couple with,do,escort,execute,flock together,go along with,go with,hang around with,herd together,interpret,isochronize,keep company with,keep in step,keep pace with,make music,match,perform,play,play by ear,render,run with,squire,symphonize,synchronize,time,usher,wait on 157 - accompanying,accessory,accidental,accordant,ado,afloat,afoot,agreeing,associate,associated,at one with,attendant,attending,circumstantial,coacting,coactive,coadunate,coetaneous,coeternal,coeval,coexistent,coexisting,coincident,coinstantaneous,collaborative,collateral,collective,collusive,combined,combining,concerted,concomitant,concordant,concurrent,concurring,conjoint,consilient,conspiratorial,contemporaneous,contemporary,conterminous,cooperant,cooperative,coordinate,correlative,coterminous,coupled,coworking,current,doing,eventuating,fellow,going on,happening,harmonious,in hand,in the wind,incidental,isochronal,isochronous,joined,joint,meeting,mutual,occasional,occurring,on,on foot,ongoing,paired,parallel,parasitic,passing,prevailing,prevalent,resultant,saprophytic,simultaneous,symbiotic,synchronous,synergetic,synergic,synergistic,taking place,twin,under way,unison,unisonous,united,uniting 158 - accomplice,a party to,abettor,accessary,accessory,accomplice in crime,ally,assistant,associate,coconspirator,cohort,collaborator,colleague,confederate,conspirator,copartner,cotenant,fellow,fellow conspirator,henchman,partaker,participant,participator,partner,party,shareholder,sharer,socius criminis 159 - accomplish,achieve,act,approach,arrive,arrive at,arrive in,attain,attain to,be productive,be received,blow in,bob up,bring about,bring into being,bring off,bring through,bring to completion,bring to fruition,bring to pass,carry off,carry out,carry through,cause,check in,clock in,come,come in,come to,come to hand,commit,compass,complete,conclude,conduct,consummate,cope with,crown with success,cut,deal with,discharge,dispatch,dispose of,do,do the job,do the trick,do to,effect,effectuate,eke out,enact,end,engineer,execute,fetch,fetch up at,fill in,fill out,find,finish,fulfill,gain,get by,get in,get there,get to,go and do,hack,handle,hit,hit town,industrialize,inflict,knock off,make,make good,make it,make up,manage,mass-produce,mature,overproduce,pay,perform,perpetrate,piece out,polish off,pop up,produce,pull in,pull off,punch in,put across,put away,put over,put through,reach,realize,refill,render,replenish,ring in,roll in,round out,score,show up,sign in,succeed,swing,take and do,take care of,time in,top off,transact,turn the trick,turn up,up and do,volume-produce,win,wind up,work,work out,wreak 160 - accomplished fact,accomplished,accomplishment,achieved,achievement,act,acta,action,actuality,adventure,at concert pitch,attained,attainment,authenticity,blow,career,carrying out,coached,compassed,consummated,consummation,conversant,coup,dealings,deed,discharge,discharged,dispatch,dispatched,disposed of,doing,doings,effected,effectuated,effectuation,effort,endeavor,enterprise,executed,execution,exploit,factuality,fait accompli,feat,finished,fruition,fulfilled,fulfillment,gest,go,grim reality,hand,handiwork,historicity,implementation,implemented,initiate,initiated,job,maneuver,measure,mission accomplished,move,not a dream,objective existence,operation,overt act,passage,performance,practiced,prepared,primed,proceeding,production,professional,reality,realization,realized,res gestae,set at rest,skilled,step,stroke,stunt,success,technical,thing,thing done,tour de force,trained,transaction,truth,turn,undertaking,work,works,wrought,wrought out 161 - accomplishment,ability,accomplished fact,accomplishments,achievement,acquirement,acquisition of knowledge,acquisitions,act,acta,action,administration,advance,advancement,advent,adventure,amplification,answer,appearance,approach,arrival,ascertainment,attainment,attainments,blossoming,blow,bringing to fruition,clearing up,coming,commission,completion,conclusion,conduct,consummation,coup,cracking,culmination,dealings,decipherment,decoding,deed,denouement,determination,development,developmental change,discharge,disentanglement,dispatch,doing,doings,edification,education,effectuation,effort,elaboration,enactment,end,end result,endeavor,enlargement,enlightenment,enterprise,evolution,evolutionary change,evolvement,evolving,execution,expansion,explanation,explication,exploit,fait accompli,feat,finding,finding-out,finish,flowering,fortunate outcome,furtherance,gest,gift,go,gradual change,growth,hand,handiwork,handling,illumination,implementation,instruction,interpretation,issue,job,learning,liberal education,management,maneuver,maturation,measure,move,natural development,natural growth,nonviolent change,operation,outcome,overproduction,overt act,passage,performance,perpetration,proceeding,production,productiveness,progress,progression,prosperity,prosperous issue,reaching,realization,reason,res gestae,resolution,resolving,result,riddling,ripening,rise,skill,solution,solving,sophistication,sorting out,step,store of knowledge,stroke,stunt,success,talent,thing,thing done,tour de force,transaction,triumph,turn,undertaking,unraveling,unriddling,unscrambling,unspinning,untangling,untwisting,unweaving,upshot,victory,work,working,working-out,works 162 - accord,OK,accede to,accept,acceptance,acclamation,accommodate,accommodate with,accommodation,accord to,accordance,acquiescence,adapt,adapt to,adaptation,adaption,addition,adjunct,adjust,adjust to,adjustment,administer,admit,affairs,affiliation,affinity,affirmation,affirmative,affirmative voice,afford,agree,agree in opinion,agree to,agree with,agreement,agreement of all,alliance,allot,allow,answer to,approbation,approval,approve,approve of,approximation,arrangement,assemblage,assent,assimilate,assimilate to,associate,association,assonate,assort with,atone,attune,attunement,award,aye,bargain,be consistent,be guided by,be harmonious,be in cahoots,be in tune,be of one,be uniform with,be willing,bend,bestow,bestow on,binding agreement,blend,blessing,bond,cartel,cessation of combat,check,chime,chime in with,chiming,chord,chorus,close with,closeness,coact,coadunate,cohere,coherence,coincide,coincidence,collaborate,collective agreement,collude,combination,combine,common assent,common consent,communicate,compact,compatibility,compliance,comply,comply with,compose,concentus,concert,concord,concordance,concur,concurrence,condescend,confer,conform,conform to,conform with,conformance,conformation,conformation other-direction,conformity,congeniality,congruence,congruency,congruity,conjoin,connectedness,connection,connivance,connive,connive at,consensus,consensus gentium,consensus of opinion,consensus omnium,consent,consent to silently,consentaneity,consist with,consistency,consonance,consonancy,consort,consortium,conspire,contiguity,contract,contrariety,convention,conventionality,cooperate,cooperation,coordinate,correct,correspond,correspondence,cotton to,covenant,covenant of salt,cut to,deal,deal out,dealings,deduction,deign,diapason,dicker,discipline,dish out,disjunction,dispense,ditto,dole,dole out,donate,dovetail,eagerness,echo,empathize,employment contract,endorse,endorsement,equalize,equivalence,euphony,exemption from hostilities,extend,fall in together,fall in with,filiation,fit,fit together,fix,flexibility,follow,fork out,formal agreement,freedom from war,gear to,general acclamation,general agreement,general consent,general voice,get along,get along with,get on with,gift,gift with,give,give consent,give freely,give leave,give out,give permission,give the go-ahead,give the word,go along with,go by,go together,go with,grant,hand out,hang together,happen together,harmonics,harmonize,harmonize with,harmony,have no objection,heap,heavy harmony,help to,hit,hold together,hold with,homologate,homologize,homology,homophony,identify with,impart,interchange,intercourse,interlock,intersect,intersection,intimacy,ironclad agreement,issue,jibe,join,junction,keeping,key to,lavish,leave,legal agreement,legal contract,let,let have,liaison,liberty in tranquillity,like-mindedness,line,link,linkage,linking,lock,make conform,make plumb,make possible,make uniform,malleability,match,measure,meet,meeting of minds,melodize,mete,mete out,mold,monochord,monody,musicalize,mutual agreement,mutual attraction,mutual understanding,nearness,nod,nod assent,not refuse,obedience,observance,observe,offer,okay,one accord,one voice,oneness,orthodoxy,overlap,pact,paction,parallel,parallelism,pax,peace,peacetime,permission,permit,pliancy,pour,present,proffer,promise,promptitude,promptness,propinquity,proportion,protocol,proximity,put in tune,rain,rapport,ratification,ratify,readiness,reciprocate,reconcile,reconcilement,reconciliation,rectify,register,register with,regulate,relatedness,relation,relations,relationship,release,render,respond to,right,rub off corners,same mind,sanction,say aye,say the word,say yes,self-consistency,serve,set,set right,settle,shape,shell out,shower,side with,similarity,similarize,sing in chorus,single voice,slip,snow,sort with,sound in tune,sound together,square,square with,stand together,stipulation,straighten,strictness,strike in with,submission,suit,symmetry,sympathize,sympathy,symphonize,symphony,sync,synchronism,synchronization,synchronize,synergize,tailor,take kindly to,tally,tally with,tender,three-part harmony,tie,tie-in,timing,total agreement,traditionalism,transaction,treaty,trim to,true,true up,tune,unanimity,unanimousness,understand one another,understanding,ungrudgingness,uniformity,union,union contract,unison,unisonance,unite,universal agreement,unloathness,unreluctance,valid contract,vote affirmatively,vote aye,vouchsafe,wage contract,willingness,wink at,yield,yield assent 163 - accordance,acclamation,accommodation,accompaniment,accord,acquiescence,acquittal,acquittance,adaptation,adaption,adherence,adjustment,affinity,agape,agreement,agreement of all,alikeness,alliance,amity,analogy,aping,approach,approximation,assent,assimilation,association,attune,attunement,award,awarding,bestowal,bestowment,bonds of harmony,brotherly love,cahoots,calm,care,caritas,carrying out,cement of friendship,charity,chime,chiming,chorus,closeness,co-working,coaction,coherence,coincidence,collaboration,collectivity,collusion,combination,combined effort,common assent,common consent,communication,communion,community,community of interests,comparability,comparison,compatibility,compliance,concentus,concert,concerted action,concession,concomitance,concord,concordance,concourse,concurrence,conferment,conferral,confluence,conformance,conformation,conformation other-direction,conformity,congeniality,congruence,congruency,congruity,conjunction,consensus,consensus gentium,consensus of opinion,consensus omnium,consent,consentaneity,consilience,consistency,consonance,consonancy,consort,conspiracy,constancy,continuity,contribution,conventionality,cooperation,copying,correspondence,deliverance,delivery,diapason,discharge,donation,empathy,endowment,equability,equanimity,equilibrium,equivalence,esprit,esprit de corps,euphony,evenness,execution,feeling of identity,fellow feeling,fellowship,flexibility,frictionlessness,fulfillment,furnishment,general acclamation,general agreement,general consent,general voice,gifting,giving,good vibes,good vibrations,grant,granting,happy family,harmonics,harmony,heavy harmony,heed,heeding,homogeneity,homophony,identity,imitation,impartation,impartment,intersection,investiture,junction,keeping,kinship,liberality,like-mindedness,likeness,likening,line,love,malleability,meeting of minds,metaphor,mimicking,monochord,monody,monolithism,mutual understanding,mutuality,nearness,obedience,observance,observation,offer,one accord,one voice,oneness,orthodoxy,overlap,parallelism,parasitism,parity,peace,performance,persistence,pliancy,practice,presentation,presentment,provision,rapport,rapprochement,reciprocity,reconcilement,reconciliation,resemblance,respect,same mind,sameness,saprophytism,satisfaction,self-consistency,semblance,sharing,similarity,simile,similitude,simulation,simultaneity,single voice,solidarity,stability,steadfastness,steadiness,strictness,subscription,supplying,surrender,symbiosis,symmetry,sympathy,symphony,sync,synchronism,synchronization,synergy,tally,team spirit,three-part harmony,timing,total agreement,traditionalism,tune,unanimity,unanimousness,understanding,uniformity,union,unison,unisonance,united action,unity,universal agreement,unruffledness,vouchsafement 164 - according to Hoyle,according to regulations,according to rule,appropriate,by the book,by the numbers,condign,correct,decent,decorous,due,fit,fitting,good,kosher,nice,normal,normative,proper,right,right and proper,righteous,rightful,seemly,suitable 165 - according to,accommodated to,adapted to,adjusted to,after,agreeable to,agreeably to,answerable to,by,conformable to,congruent with,consistent with,in accordance with,in agreement with,in compliance with,in conformity with,in correspondence to,in harmony with,in keeping with,in line with,in lock-step with,in obedience to,in step with,in uniformity with,per,proper to,suitable for,uniform with 166 - accordingly,according to circumstances,and so,appropriately,as a consequence,as a result,as it is,as matters stand,at that rate,because of that,because of this,compliantly,conformably,consequently,equally,ergo,finally,for that,for that cause,for that reason,for this cause,for this reason,for which reason,hence,hereat,in that case,in that event,inconsequence,inevitably,it follows that,naturally,naturellement,necessarily,of course,of necessity,on that account,on that ground,on this account,propter hoc,suitably,that being so,then,thence,thereat,therefor,therefore,thus,thusly,thuswise,under the circumstances,whence,wherefore,wherefrom 167 - accost,address,advance,apostrophize,appeal to,approach,appropinquate,approximate,bear down on,bear down upon,bear up,bespeak,bid good day,bid good morning,bow to,buttonhole,call to,close,close in,close with,come,come closer,come forward,come near,come on,come up,confront,curtsy,draw near,draw nigh,encounter,exchange greetings,gain upon,greet,hail,halloo,invoke,kiss,kiss hands,lift the hat,narrow the gap,near,nod to,proximate,pull the forelock,salute,say hello,shake,shake hands,sidle up to,speak,speak fair,speak to,step up,take aside,talk to,touch the hat,uncover 168 - account for,accredit with,accrete to,acknowledge,allegorize,apply to,ascribe to,assign to,attach to,attribute to,blame,blame for,blame on,bring home to,charge on,charge to,clarify,clear,clear up,confess,connect with,crack,credit with,cry sour grapes,decipher,demonstrate,demythologize,destigmatize,do justice to,elucidate,enlighten,euhemerize,exculpate,exemplify,explain,explain away,explicate,exposit,expound,fasten upon,father upon,fix on,fix upon,give reason for,give the meaning,hang on,illuminate,illustrate,impute to,justify,lay to,make clear,make plain,pin on,pinpoint,place upon,point to,popularize,purge,rationalize,refer to,rehabilitate,reinstate,restore,saddle on,saddle with,set down to,settle upon,shed light upon,show,show how,show the way,simplify,solve,spell out,throw light upon,unfold,unlock,unravel,vindicate,warrant 169 - account,a reckoning of,account current,account for,account of,account rendered,account stated,accounting,accounts,acquaintance,acta,adjudge,adjudicate,advantage,aggregate,allow,allow for,allowance,amount,anecdotage,anecdote,annals,announcement,annual,answer for,approbation,approval,assessment,balance,bank account,bank balance,be judicious,benefit,bill,bill of account,bill of fare,bill of lading,blackmail,blood money,blue book,body count,books,box score,brief,briefing,bulletin,calculation,capitulation,carte,cash account,cast,catalog,census,census report,charge account,check,check of,checking account,chronicle,communication,communique,computation,consequence,consider,consideration,control account,conversion factor,correspondence,count,count of,credit,credit account,data,datum,deem,description,difference,directory,dispatch,documentation,dun,election returns,emolument,enlightenment,enumeration,epic,epos,esteem,estimation,evidence,exercise judgment,expense account,explain,explanation,express an opinion,face,face value,facts,factual information,familiarization,favor,fee,footing,form an opinion,gen,general information,guidebook,handout,hard information,head count,history,hold,honor,hush money,importance,incidental information,income account,info,information,initiation fee,instruction,intelligence,interest,inventory,invoice,itemized bill,judge,justify,knowledge,ledger,letters,light,list,manifest,market value,memorial,mention,menu,merit,message,mileage,minutes,narration,narrative,net worth,nose count,note,notice,notification,number,par value,pennyworth,pine,pipe roll,presentation,presume,proceedings,product,profit,promotional material,proof,provision account,publication,publicity,quantity,rate,recapitulation,recital,reckoning,record,recording,recount,recounting,regard,register,registry,rehearsal,relation,release,relic,remains,repertory,report,respect,retainer,retaining fee,returns,revenue account,roll,rolls,roster,rota,running account,saga,sake,sales account,savings account,score,scot,scroll,selling account,sidelight,significance,standing,statement,stipend,stock account,story,sum,summary,summation,summing,summing up,suppose,suspense account,tab,table,tabs of,take into consideration,take note of,tale,tally,tally of,the bottom line,the dope,the goods,the know,the record,the scoop,the story,the whole story,think of,token,total,trace,track of,transactions,transmission,tribute,use,valuation account,value,value received,vestige,white book,white paper,whole,word,worth,x number,yarn,yearbook 170 - accountable,Englishable,alleged,amenable,answerable,ascribable,assignable,attributable,attributed,chargeable,charged,construable,credited,definable,derivable from,derivational,derivative,describable,due,explainable,explicable,imputable,imputed,interpretable,liable,obligated,obliged,owing,putative,referable,referred to,renderable,responsible,responsible for,to blame,traceable,translatable 171 - accountant,CA,CPA,abacist,accountant general,actuary,amanuensis,archivist,auditor,bank accountant,bank examiner,bookkeeper,bursar,calculator,cashier,cashkeeper,certified public accountant,chamberlain,chartered accountant,clerk,comptroller,computer,controller,cost accountant,cost keeper,curator,depositary,depository,documentalist,engraver,estimator,figurer,filing clerk,financial officer,journalizer,librarian,liquidator,marker,notary,notary public,paymaster,prothonotary,purse bearer,purser,receiver,reckoner,record clerk,recorder,recordist,register,registrar,scorekeeper,scorer,scribe,scrivener,secretary,statistician,stenographer,steward,stonecutter,timekeeper,treasurer,trustee 172 - accounting,account,account rendered,accountancy,acta,analysis,annual,audit,auditing,automatic electronic navigation,bookkeeping,braking,brief,bulletin,census,census report,computation,coordination,cost accounting,cost system,cost-accounting system,counting,dactylonomy,double-entry bookkeeping,election returns,enumeration,fact distribution,foliation,forecasts,inspection,inventorying,manipulation,measurement,minutes,monetary arithmetic,nonlinear calibrations,numbering,numeration,output measurement,pagination,proceedings,processing,quantification,quantization,record keeping,report,returns,single-entry bookkeeping,statement,steering,supersonic flow detection,tally,tallying,telling,the record,transactions,yearbook 173 - accouterment,armament,catering,chandlery,endowment,equipment,finding,fitting out,furnishing,furnishment,investment,logistics,outfitting,preparation,procurement,providing,provision,provisioning,purveyance,reinforcement,replenishment,resupply,retailing,selling,subsidization,subsidy,subvention,supply,supplying,victualing 174 - accredit,OK,accept,account for,accredit with,accrete to,acknowledge,affirm,amen,apply to,approve,ascribe to,assign,assign to,attach to,attest,attribute,attribute to,authenticate,authorize,autograph,blame,blame for,blame on,bring home to,certify,charge,charge on,charge to,charter,commend,commission,commit,confess,confirm,connect with,consign,cosign,countersign,credit,credit with,delegate,depute,deputize,detach,detail,devolute,devolve,devolve upon,empower,enable,endorse,entrust,fasten upon,father upon,fix on,fix upon,give in charge,give permission,give the go-ahead,give the imprimatur,give thumbs up,hang on,impute,impute to,initial,introduce,lay,lay to,license,mission,notarize,pass,pass on,pass upon,permit,pin on,pinpoint,place upon,point to,post,present,ratify,recommend,refer,refer to,rubber stamp,saddle on,saddle with,sanction,say amen to,seal,second,send out,set down to,settle upon,sign,sign and seal,subscribe to,support,swear and affirm,swear to,transfer,undersign,underwrite,validate,visa,vise,vouch for,warrant 175 - accroach,adopt,annex,appropriate,arrogate,assume,colonize,commandeer,confiscate,conquer,encroach,enslave,expropriate,hog,indent,infringe,invade,jump a claim,make free with,make use of,monopolize,occupy,overrun,play God,preempt,preoccupy,prepossess,pretend to,requisition,seize,sequester,sit on,squat on,subjugate,take,take all of,take it all,take over,take possession of,take up,trespass,usurp 176 - accrue,accrue from,accrue to,accumulate,advance,appreciate,arise from,balloon,be contingent on,be due to,be received,bloat,boom,breed,broaden,bud from,come from,come in,come out of,come to hand,crescendo,depend on,derive from,descend from,develop,emanate from,emerge from,ensue from,fall due,fall to one,flow from,follow from,gain,gain strength,germinate from,get ahead,go up,grow,grow from,grow out of,hang on,hinge on,increase,intensify,issue from,mature,mount,multiply,originate in,proceed from,proliferate,rise,run up,shoot up,snowball,spread,spring from,sprout from,stem from,strengthen,swell,turn on,wax,widen 177 - acculturation,Americanization,admission,adoption,affiliation,assimilation,citizenship by naturalization,citizenship papers,civility,civilization,complex,cultivation,cultural drift,culture,culture area,culture center,culture complex,culture conflict,culture contact,culture pattern,culture shock,culture trait,education,enculturation,enlightenment,ethos,folkways,key trait,mores,nationalization,naturalization,naturalized citizenship,papers,polish,refinement,socialization,society,trait,trait-complex 178 - accumulate,accouple,accrue,advance,agglomerate,agglutinate,aggregate,aggroup,amass,appreciate,articulate,assemble,associate,backlog,balloon,band,batch,bloat,bond,boom,bracket,breed,bridge,bridge over,bring together,broaden,bulk,bunch,bunch together,bunch up,cement,chain,clap together,clump,cluster,collect,colligate,collocate,combine,compare,compile,comprise,concatenate,conglobulate,conglomerate,conjoin,conjugate,connect,copulate,corral,couple,cover,crescendo,cull,cumulate,develop,dig up,draw together,dredge up,drive together,embrace,encompass,fund,gain,gain strength,garner,garner up,gather,gather in,gather into barns,gather together,get ahead,get in,get together,glean,glue,go up,group,grow,grub,grub up,heap,heap up,hide,hive,hoard,hoard up,hold,include,increase,intensify,join,juxtapose,keep,knot,lay away,lay by,lay down,lay in,lay together,lay up,league,link,lump together,make up,marry,marshal,mass,match,merge,mobilize,mount,multiply,muster,pair,partner,pick,pick up,piece together,pile,pile up,pluck,proliferate,put away,put together,put up,raise,rake up,rally,rise,roll into one,roll up,round up,run up,save,save up,scare up,scrape together,scrape up,secrete,shoot up,snowball,solder,span,splice,spread,squirrel,squirrel away,stick together,stock,stock up,stockpile,store,store up,strengthen,swell,take in,take up,tape,tie,treasure,treasure up,unify,unite,wax,weld,whip in,widen,yoke 179 - accumulation,abundance,access,accession,accretion,accrual,accruement,acervation,addition,advance,agglomerate,agglomeration,aggrandizement,aggregate,aggregation,amassing,amassment,amplification,appreciation,ascent,assemblage,assembling,augmentation,backlog,ballooning,bank,bloating,boom,boost,bringing together,broadening,budget,buildup,chunk,collecting,collection,colluvies,commissariat,commissary,congeries,conglobation,conglomerate,conglomeration,cornucopia,crescendo,cumulation,cumulus,development,dump,edema,elevation,enlargement,expansion,extension,flood,gain,gathering,gleaning,glomeration,gob,greatening,growth,gush,heap,hike,hoard,hunk,increase,increment,inflation,inventory,jump,larder,leap,lump,mass,material,materials,materiel,mounting,multiplication,munitions,pile,piling,plenitude,plenty,productiveness,proliferation,provisionment,provisions,raise,rations,repertoire,repertory,reserve,rick,rise,snowball,snowballing,spread,stack,stock,stock-in-trade,stockpile,store,stores,supplies,supply on hand,surge,swelling,treasure,treasury,trove,tumescence,up,upping,upsurge,upswing,uptrend,upturn,wad,waxing,widening 180 - accuracy,absoluteness,attention to detail,attention to fact,care for truth,circumstantiality,conscientiousness,correctness,criticality,criticalness,definiteness,delicacy,detail,exactingness,exactitude,exactness,exquisiteness,faithfulness,faultlessness,fidelity,fineness,finicality,finicalness,finickiness,finickingness,flawlessness,fussiness,literalism,literality,literalness,mathematical precision,meticulousness,minuteness,minuteness of detail,niceness,nicety,particularity,particularness,perfection,preciseness,precisianism,precision,punctiliousness,punctuality,refinement,right,rightness,rigidity,rigidness,rigor,rigorousness,scrupulosity,scrupulousness,severity,specificity,strictness,subtlety,textualism,the letter 181 - accurate,OK,absolute,all right,appreciative,attentive,authentic,careful,close,conscientious,correct,critical,dead right,delicate,demanding,dependable,detailed,differential,discriminate,discriminating,discriminative,distinctive,distinguishing,exact,exacting,exigent,exquisite,fastidious,faultless,fine,finical,finicking,finicky,flawless,fussy,just,just right,letter-perfect,meticulous,minute,narrow,nice,okay,on the mark,particular,perfect,precise,precisianistic,precisionistic,proper,punctilious,punctual,refined,reliable,religious,right,rigid,rigorous,scrupulous,scrutinizing,selective,sensitive,straight,straight-up-and-down,strict,subtle,tactful,unerring 182 - accurately,bang,conscientiously,correctly,exactingly,exactly,exquisitely,faultlessly,flawlessly,fussily,in detail,just right,just so,meticulously,minutely,nicely,perfectly,precisely,properly,punctiliously,punctually,refinedly,right,rightly,rigorously,scrupulously,sharp,sic,smack-dab,so,spang,square,squarely,straight,strictly,with exactitude,with great nicety,with precision 183 - accuse,accuse of,allege,anathematize,anathemize,animadvert on,arraign,article,attribute,blame,book,bring accusation,bring charges,bring to book,call to account,cast blame upon,cast reflection upon,censure,charge,charge with,cite,complain,complain against,condemn,criminate,criticize,cry down,cry out against,cry out on,cry shame upon,damn,decry,denounce,denunciate,fasten on,fasten upon,finger,fulminate against,hang something on,impeach,imply,impugn,impute,incriminate,inculpate,indict,inform against,inform on,insinuate,inveigh against,lay charges,lodge a complaint,lodge a plaint,pin on,prefer charges,press charges,put on report,reflect upon,report,reprehend,reproach,reprobate,shake up,take to task,task,taunt with,tax,twit 184 - accused,arraigned,blamed,charged,cited,correspondent,defendant,denounced,impeached,implicated,impugned,in complicity,incriminated,inculpated,indicted,involved,libelee,prisoner,reproached,respondent,suspect,tasked,taxed,under attack,under fire 185 - accustomed,accepted,acclimated,acclimatized,accommodated,adapted,adjusted,average,case-hardened,chronic,common,commonplace,conditioned,confirmed,conventional,current,customary,everyday,experienced,familiar,familiarized,habitual,habituated,hardened,household,inured,naturalized,normal,normative,ordinary,orientated,oriented,popular,predominating,prescriptive,prevailing,regular,regulation,routine,run-in,seasoned,set,standard,stock,traditional,trained,universal,used,used to,usual,vernacular,wont,wonted 186 - ace in the hole,advantage,backlog,bulge,cache,coign of vantage,drop,edge,flying start,head start,inside track,jump,nest egg,odds,reserve,reserve fund,reserve supply,reserves,reservoir,resource,running start,savings,sinking fund,something extra,something in reserve,start,stockpile,unexpended balance,upper hand,vantage,vantage ground,vantage point,whip hand 187 - ace,A per se,I,air force,amigo,associate,atom,beaut,bedfellow,bedmate,best bower,bit,bomber pilot,bosom buddy,boss,bower,bowshot,brief span,buddy,bunkie,bunkmate,butty,camarade,cards,chamberfellow,champion,chief,chum,classmate,close quarters,close range,clubs,colleague,comate,combat pilot,commander,companion,company,compeer,comrade,confrere,consociate,consort,copartner,corker,crack,crackerjack,crony,crumb,dab,daisy,dandy,darb,dean,deck,deuce,diamonds,dilly,dole,dot,dram,dream,dribble,driblet,dummy,dwarf,earreach,earshot,face cards,farthing,fellow,fellow student,fighter pilot,first-rater,fleck,flush,flyboy,flyspeck,fragment,fugleman,full house,genius,girl friend,gobbet,good hand,gossip,grain,granule,great,groat,gunshot,hair,hair space,hairbreadth,hairsbreadth,hand,handful,head,hearts,higher-up,honey,humdinger,inch,iota,jack,joker,jot,killer-diller,king,knave,knockout,laureate,leader,left bower,little,little bit,little ways,lollapaloosa,lota,lulu,magician,mahatma,man of genius,master,master hand,mastermind,mate,messmate,military pilot,minim,minimum,minutiae,mite,modicum,molecule,monad,mote,naval pilot,no other,none else,nonpareil,nothing else,nought beside,nutshell,observer,old crony,one,one and only,ounce,pack,pair,pal,paragon,pard,pardner,particle,partner,past master,peach,pebble,picture cards,pinch,pip,pippin,pistol shot,pittance,playfellow,playing cards,playmate,point,practiced hand,principal,prodigy,queen,roommate,round,royal flush,rubber,ruff,ruler,sage,schoolfellow,schoolmate,scruple,senior,shipmate,short distance,short piece,short way,side partner,sidekick,singleton,skilled hand,smidgen,smitch,spades,span,speck,spitting distance,spoonful,spot,star,step,straight,suicide pilot,superior,superman,superstar,sweetheart,teammate,the greatest,the most,the nuts,thimbleful,tiny bit,tittle,top dog,topnotcher,trey,trick,trifling amount,trivia,trump,unit,virtuoso,whisker,whit,whiz,wizard,workfellow,yokefellow,yokemate 188 - acedia,accidia,aloofness,anger,apathy,ataraxia,ataraxy,avarice,avaritia,benumbedness,blah,blahs,boredom,carelessness,casualness,cave of Trophonius,cave of despair,comatoseness,deadly sin,despair,desperateness,desperation,despondency,detachment,disconsolateness,disinterest,dispassion,disregard,disregardfulness,drowsiness,dullness,easygoingness,enervation,ennui,envy,fatigue,forlornness,gluttony,greed,gula,heartlessness,heaviness,hebetude,heedlessness,hopelessness,inanimation,inappetence,inattention,incuriosity,indifference,indiscrimination,inexcitability,insouciance,invidia,ira,jadedness,lack of affect,lack of appetite,lackadaisicalness,languidness,languishment,languor,languorousness,lassitude,lenitude,lentor,lethargicalness,lethargy,lifelessness,listlessness,lust,luxuria,mindlessness,negligence,no exit,no way,no way out,nonchalance,numbness,oscitancy,passiveness,passivity,phlegm,phlegmaticalness,phlegmaticness,plucklessness,pococurantism,pride,recklessness,regardlessness,resignation,resignedness,satedness,sleepiness,sloth,slothfulness,slowness,sluggishness,somnolence,sopor,soporifousness,spiritlessness,spunklessness,stupefaction,stupor,superbia,supineness,torpidity,torpidness,torpitude,torpor,unanxiousness,unconcern,unmindfulness,unsolicitousness,weariness,withdrawnness,world-weariness,wrath 189 - aceldama,Belsen,DMZ,abattoir,battle line,battle site,battlefield,battleground,butchery,combat area,combat zone,concentration camp,enemy line,field,field of battle,field of blood,firing line,front line,gas chamber,killing ground,landing beach,line,line of battle,seat of war,shambles,slaughterhouse,stockyard,the front,theater,theater of operations,theater of war,zone of communications 190 - acerbic,acerb,acerbate,acescent,acetose,acid,acidic,acidulent,acidulous,acrid,acrimonious,amaroidal,asperous,astringent,biting,bitter,bitter as gall,burning,caustic,choleric,coarse,corroding,corrosive,crab,crabbed,cutting,dry,embittered,escharotic,green,hard,harsh,incisive,irritating,keen,mordacious,mordant,nose-tickling,penetrating,pickled,piercing,piquant,poignant,pungent,rancorous,rankled,resentful,resenting,rough,scathing,scorching,sec,severe,sharp,sore,sour,sour as vinegar,soured,sourish,splenetic,stabbing,stewing,stinging,tart,tartish,trenchant,unripe,unsweet,unsweetened,vinegarish,vinegary,virulent,vitriolic,withering 191 - acerbity,acescency,acid,acidity,acidness,acidulousness,acridity,acridness,acrimony,animosity,asperity,astringence,astringency,bile,bite,bitingness,bitter pill,bitter resentment,bitterness,bitterness of spirit,causticity,causticness,choler,corrosiveness,crabbedness,cuttingness,dourness,dryness,edge,fierceness,gall,gall and wormwood,gnashing of teeth,greenness,grip,hard feelings,harshness,heartburning,hyperacidity,incisiveness,keenness,mordacity,mordancy,piercingness,piquancy,poignancy,point,pungency,rancor,rankling,rigor,roughness,severity,sharpness,slow burn,soreness,sour,sourishness,sourness,spleen,stabbingness,sting,stridency,stringency,subacidity,surliness,tartishness,tartness,teeth,trenchancy,unripeness,unsweetness,vehemence,verjuice,vinegariness,vinegarishness,violence,virulence 192 - ache,ache for,ache to,aching,agonize,ail,angina,anguish,backache,be dying for,be dying to,be hurting for,bellyache,blanch,bleed,blench,blow,brood over,burn to,cephalalgia,chilblains,chill,chilliness,chilling,choose to,clamor for,cold creeps,cold shivers,colic,collywobbles,cramp,crave,creeps,cry for,cryopathy,cut,dearly love to,distress,dithers,dolor,duck bumps,earache,feel pain,feel the pangs,fret,frostbite,gape for,gnawing,go hard with,goose bumps,goose pimples,gooseflesh,grief,grieve,grimace,gripe,gripes,gut-ache,hanker,have a misery,headache,heartburn,hemicrania,hone for,hope for,horripilation,hunger,hurt,injury,itch for,itch to,kibe,languish for,lesion,like to,long,long for,long to,longing,love to,lust for,megrim,migraine,misery,mope,mourn,nasty blow,odontalgia,otalgia,pain,pang,pant for,passion,pine,pine away,pine for,pound,pounding,pyrosis,rack,shivering,shivers,shock,shoot,shrink,sick headache,sigh for,smart,smarting,sore,sore spot,soreness,sorrow,spasm,splitting headache,spoil for,sting,stitch,stomachache,stress,stress of life,stroke,suffer,suffer anguish,suffering,take on,tender spot,thirst for,thrill,throb,throbbing,throbbing pain,throes,tingle,toothache,twinge,twitch,want to,weary for,wince,wish for,wish to,wound,wrench,writhe,yearn,yearn for,yen for 193 - achieve,accomplish,acquire,act,actualize,approach,arrive,arrive at,arrive in,attain,attain to,be productive,be received,blow in,bob up,bring about,bring into being,bring off,bring through,bring to fruition,bring to pass,carry off,carry out,cause,check in,clock in,come,come in,come to,come to hand,commit,compass,complete,conclude,conquer,consummate,crown with success,deal with,discharge,dispatch,dispose of,do,do the job,do the trick,do to,effect,effectuate,enact,engineer,execute,fetch,fetch up at,find,finish,fulfill,gain,get,get by,get in,get there,get to,go and do,hit,hit town,industrialize,inflict,knock off,make,make it,manage,mass-produce,obtain,overcome,overproduce,pay,perform,perpetrate,polish off,pop up,produce,pull in,pull off,punch in,put across,put away,put over,put through,reach,realize,render,ring in,roll in,score,secure,show up,sign in,succeed,succeed in,surmount,take and do,take care of,time in,turn the trick,turn up,up and do,volume-produce,win,work,work out,wreak 194 - achievement,accomplished fact,accomplishment,acquirement,acquisition,act,acta,action,administration,advent,adventure,alerion,animal charge,annulet,appearance,approach,argent,aristeia,armorial bearings,armory,arms,arrival,attainment,azure,bandeau,bar,bar sinister,baton,bearings,bend,bend sinister,billet,blazon,blazonry,blow,bold stroke,bordure,bringing to fruition,broad arrow,cadency mark,canton,carrying out,chaplet,charge,chevron,chief,coat of arms,cockatrice,coming,commission,completion,conduct,consummation,coronet,coup,crescent,crest,cross,cross moline,crown,dealings,deed,device,difference,differencing,discharge,dispatch,doing,doings,eagle,effectuation,effort,enactment,endeavor,enterprise,ermine,ermines,erminites,erminois,escutcheon,execution,exploit,fait accompli,falcon,feat,fess,fess point,field,file,finish,flanch,fleur-de-lis,fret,fruition,fulfillment,fur,fusil,garland,gest,go,griffin,gules,gyron,hand,handiwork,handling,hatchment,helmet,heraldic device,heroic act,honor point,impalement,impaling,implementation,inescutcheon,job,label,lion,lozenge,management,maneuver,mantling,marshaling,martlet,mascle,measure,metal,mission accomplished,motto,move,mullet,nombril point,octofoil,operation,or,ordinary,orle,overproduction,overt act,pale,paly,passage,pean,performance,perpetration,pheon,proceeding,production,productiveness,purpure,quarter,quartering,reaching,realization,res gestae,rose,sable,saltire,scutcheon,shield,spread eagle,step,stroke,stunt,subordinary,success,tenne,thing,thing done,tincture,torse,tour de force,transaction,tressure,turn,undertaking,unicorn,vair,vert,victory,work,works,wreath,yale 195 - aching,Heimweh,ache,achy,afflictive,algetic,angina,backache,bellyache,blow,cephalalgia,chilblains,chill,chilliness,chilling,cold creeps,cold shivers,colic,collywobbles,cramp,creeps,cryopathy,cut,desiderium,distress,dithers,dolor,duck bumps,earache,fret,frostbite,gnawing,goose bumps,goose pimples,gooseflesh,grief,gripe,gripes,gut-ache,hankering,headache,heartburn,hemicrania,homesickness,honing,horripilation,hurt,hurtful,hurting,injury,kibe,languishing,languishment,lesion,longing,mal du pays,maladie du pays,megrim,migraine,nasty blow,nostalgia,nostomania,odontalgia,otalgia,pain,pang,passion,pining,pyrosis,shivering,shivers,shock,sick headache,sore,sore spot,spasm,splitting headache,stomachache,stress,stress of life,stroke,suffering,tender spot,throbbing pain,throes,toothache,wound,wrench,yearning,yen 196 - achromasia,achroma,achromatosis,albescence,albinism,albino,albinoism,blondness,canescence,chalkiness,creaminess,fairness,frostiness,glaucescence,glaucousness,grizzliness,hoariness,lactescence,leukoderma,lightness,milkiness,paleness,pearliness,silver,silveriness,snowiness,vitiligo,white,white race,whiteness,whitishness 197 - achromic,achromatic,anemic,ashen,ashy,bled white,bloodless,cadaverous,chloranemic,colorless,dead,deadly pale,deathly pale,dim,dimmed,dingy,discolored,dull,etiolated,exsanguinated,exsanguine,exsanguineous,faded,faint,fallow,flat,ghastly,gray,haggard,hueless,hypochromic,lackluster,leaden,livid,lurid,lusterless,mat,mealy,muddy,neutral,pale,pale as death,pale-faced,pallid,pasty,sallow,sickly,tallow-faced,toneless,uncolored,wan,washed-out,waxen,weak,whey-faced,white 198 - acid rock,avant-garde jazz,ballroom music,bebop,boogie-woogie,bop,country rock,dance music,dances,folk rock,hard rock,hot jazz,jazz,jive,mainstream jazz,musical suite,rag,ragtime,rhythm-and-blues,rock,rock-and-roll,suite,suite of dances,swing,syncopated music,syncopation,the new music 199 - acid test,assay,blank determination,brouillon,criterion,crucial test,crucible,determination,docimasy,essay,feeling out,first draft,kiteflying,ordeal,probation,proof,rough draft,rough sketch,sounding out,standard,test,test case,touchstone,trial,try,verification 200 - acid,DET,DMT,Foamite,LSD,Mary Jane,STP,THC,acerb,acerbate,acerbic,acerbity,acetic,acetose,acetous,acetylsalicylic acid,acid,acidic,acidity,acidulant,acidulated,acidulent,acidulous,acidulousness,acrid,acrimonious,acrimony,actual cautery,agent,alkali,alkalinity,alloisomer,amino acid,ammono acid,angry,animosity,anion,antacid,antidepressant,aqua fortis,aqua regia,arsenic acid,ascorbic acid,asperity,asperous,aspirin,astringent,ataractic,atom,automatic sprinkler,base,basic,battery acid,benzoic acid,bile,biochemical,biting,bitter,bitter resentment,bitterness,bitterness of spirit,boric acid,brand,brand iron,branding iron,bread-and-butter pickle,burning,butyric acid,carbolic acid,carbon tet,carbon tetrachloride,carbon-dioxide foam,carbonic acid,cation,caustic,causticity,cauter,cauterant,cauterizer,cautery,chemical,chemical element,chemicobiological,chemicoengineering,chemicomineralogical,chemicophysical,chemurgic,chloric acid,chlorous acid,chokecherry,choler,choleric,chromic acid,chromoisomer,citric acid,compound,copolymer,copolymeric,copolymerous,corroding,corrosive,crab apple,cutting,cyanic acid,deck gun,deluge set,diethyltryptamine,dill pickle,dimer,dimeric,dimerous,dimethyltryptamine,discontented,double-edged,driving,dry,edged,effective,electrocautery,electrochemical,element,elemental,elementary,embittered,escharotic,extinguisher,feeling evil,fierce,fire apparatus,fire engine,fire hose,fire hydrant,fireplug,fluoric acid,foam,foam extinguisher,forceful,forcible,formic acid,gage,gall,ganja,gnashing of teeth,grass,green apple,gutsy,hallucinogen,hard feelings,harsh,hash,hashish,hay,heartburning,heavy chemicals,hemp,heteromerous,high polymer,homopolymer,hook-and-ladder,hot iron,hydracid,hydrochloric acid,hydrocyanic acid,hyperacid,hypochlorous acid,imperative,impressive,incisive,inorganic chemical,ion,irritating,isomer,isomerous,joint,kava,keen,lactic acid,ladder pipe,lemon,lignosulphonic acid,lime,lunar caustic,macrochemical,macromolecule,malic acid,marijuana,mescal,mescal bean,mescal button,mescaline,metamer,metameric,mind-altering drug,mind-blowing drug,mind-expanding drug,molecule,monomer,monomerous,mordacious,mordant,morning glory seeds,moxa,muriatic acid,nervous,neutralizer,niacin,nicotinic acid,nonacid,nose-tickling,oil of vitriol,organic chemical,out of humor,out of sorts,out of temper,oxalic acid,oxyacid,pectic acid,penetrating,perboric acid,perchloric acid,peyote,phenol,phosphoric acid,photochemical,physicochemical,phytochemical,pickle,picric acid,piercing,piquant,poignant,polymer,polymeric,pot,potential cautery,powerful,prussic acid,pseudoisomer,psilocin,psilocybin,psychedelic,psychic energizer,psychoactive drug,psychochemical,psychotomimetic,pumper,punchy,pungent,radical,radiochemical,radium,rancor,rancorous,rankled,rankling,reagent,reefer,resentful,resenting,rigorous,roach,rough,salicylic acid,scathing,scorching,sensational,severe,sharp,sinewed,sinewy,slashing,slow burn,snorkel,soda,sore,soreness,sour,sour balls,sour cream,sour grapes,sour pickle,sourdough,spleen,splenetic,sprinkler,sprinkler head,sprinkler system,stabbing,stewing,stick,stinging,strident,striking,stringent,strong,subacid,subacidulous,sulfacid,sulfuric acid,super-pumper,tart,tea,telling,thermochemical,tranquilizer,trenchant,trimer,vehement,verjuice,vigorous,vinegar,violent,virulence,virulent,vital,vitriol,vitriolic,water,water cannon,weed,wet blanket,withering,yogurt 201 - acidhead,LSD user,addict,alcoholic,chain smoker,cocaine sniffer,cokie,cubehead,dipsomaniac,dope fiend,doper,drug abuser,drug addict,drug user,drunkard,fiend,freak,glue sniffer,habitual,head,heavy smoker,hophead,hype,junkie,marijuana smoker,methhead,narcotics addict,pillhead,pothead,snowbird,speed freak,tripper,user 202 - acidify,acetify,acidulate,alkalify,alkalize,borate,carbonate,catalyze,chemical,chlorinate,electrolyze,ferment,homopolymerize,hydrate,hydrogenate,hydroxylate,isomerize,nitrate,oxidize,pepsinate,peroxidize,phosphatize,polymerize,reduce,sour,sulfate,sulfatize,sulfonate,turn sour,work 203 - acidity,acerbity,acescency,acid,acidness,acidulousness,acridity,acrimony,agent,alkali,alkalinity,alloisomer,animosity,anion,antacid,asperity,astringency,atom,base,bile,biochemical,bite,bitingness,bitter resentment,bitterness,bitterness of spirit,cation,causticity,causticness,chemical,chemical element,choler,chromoisomer,compound,copolymer,corrosiveness,cuttingness,dimer,dryness,edge,element,fierceness,gall,gnashing of teeth,greenness,grip,hard feelings,harshness,heartburning,heavy chemicals,high polymer,homopolymer,hydracid,hyperacidity,incisiveness,inorganic chemical,ion,isomer,keenness,macromolecule,metamer,molecule,monomer,mordacity,mordancy,neutralizer,nonacid,organic chemical,oxyacid,piercingness,piquancy,poignancy,point,polymer,pseudoisomer,pungency,radical,rancor,rankling,reagent,rigor,roughness,severity,sharpness,slow burn,soreness,sour,sourishness,sourness,spleen,stabbingness,sting,stridency,stringency,subacidity,sulfacid,tartishness,tartness,teeth,trenchancy,trimer,unripeness,unsweetness,vehemence,verjuice,vinegariness,vinegarishness,violence,virulence 204 - acidulous,acerb,acerbate,acerbic,acetic,acetose,acetous,acid,acidic,acidulated,acidulent,acrid,acrimonious,astringent,biting,bitter,burning,caustic,choleric,corroding,corrosive,cutting,double-edged,dry,edged,embittered,escharotic,fierce,harsh,hyperacid,incisive,keen,mordacious,mordant,penetrating,piercing,piquant,poignant,pungent,rancorous,rankled,resentful,resenting,rigorous,rough,scathing,scorching,severe,sharp,sore,splenetic,stabbing,stewing,stinging,strident,stringent,subacid,subacidulous,tart,trenchant,vehement,violent,virulent,vitriolic,withering 205 - acknowledge,accept,account for,accredit with,accrete to,admit,admit everything,affirm,agree,agree provisionally,allege,allow,announce,answer,answer back,apply to,ascribe to,assent grudgingly,asseverate,assign to,attach to,attest,attribute to,aver,avouch,avow,bear the expense,bear witness,blame,blame for,blame on,bless,bring home to,certify,charge on,charge to,chip in,come back,come back at,come clean,concede,confess,connect with,consider,cop a plea,credit,credit with,declare,deem,defray,defray expenses,depone,depose,disclose,divulge,echo,express general agreement,fasten upon,father upon,finance,fix on,fix upon,flash back,foot the bill,fund,give acknowledgment,give answer,give credit,give evidence,give thanks,go Dutch,go along with,grant,hang on,hold,honor a bill,impute to,lay to,let on,make acknowledgments of,not oppose,offer thanks,open up,out with it,own,own up,pay for,pay the bill,pay the piper,pin on,pinpoint,place upon,plead guilty,point to,proclaim,publish,react,receive,recognize,redeem,reecho,refer to,rejoin,render credit,render thanks,reply,respond,retort,return,return answer,return for answer,return thanks,reveal,reverberate,riposte,saddle on,saddle with,say,say in reply,set down to,settle upon,shoot back,spill,spill it,spit it out,stand the costs,swear,talk back,tell,tell all,tell the truth,testify,thank,view,vouch,warrant,witness,yield 206 - acknowledged,accepted,admitted,affirmed,allowed,approved,authenticated,avowed,being done,certified,comme il faut,conceded,confessed,confirmed,conformable,conventional,correct,countersigned,customary,de rigueur,decent,decorous,endorsed,established,fixed,folk,formal,granted,hallowed,handed down,heroic,hoary,immemorial,inveterate,legendary,long-established,long-standing,meet,mythological,notarized,of long standing,of the folk,oral,orthodox,prescriptive,professed,proper,ratified,received,recognized,right,rooted,sealed,seemly,signed,stamped,sworn and affirmed,sworn to,time-honored,traditional,tried and true,true-blue,understood,underwritten,unwritten,validated,venerable,warranted,worshipful 207 - acknowledgment,abject apology,acceptance,acknowledgments,acquittance,admission,allowance,answer,answering,antiphon,apology,appreciation,avowal,back,back answer,back matter,back talk,backchat,bastard title,benediction,bibliography,billet,blurb,boost,breast-beating,buildup,business letter,by-line,canceled check,catch line,catchword,chit,citation,cognizance,colophon,comeback,commendation,communication,concession,confession,contents,contents page,contrition,copyright page,credit,credit line,crediting,declaration,dedication,discharge,dispatch,due,echo,endleaf,endpaper,endsheet,epistle,errata,evasive reply,excuse,favor,flyleaf,folio,fore edge,foreword,front matter,good word,grace,half-title page,head,honorable mention,hymn,hype,imprint,index,inscription,introduction,leaf,letter,line,makeup,mea culpa,message,missive,note,owning,owning up,paean,page,penitence,plug,praise,prayer of thanks,preface,preliminaries,profession,promotion,puff,quittance,reaction,ready reply,receipt,receipt in full,recognition,recto,reference,regrets,rejoinder,release,repartee,replication,reply,repost,rescript,rescription,respondence,response,responsion,responsory,retort,return,reverberation,reverso,right,riposte,rite of confession,running title,short answer,shrift,signature,snappy comeback,subtitle,table of contents,tail,text,thank offering,thank-you,thanks,thanksgiving,title,title page,trademark,tribute,trim size,type page,unbosoming,verso,voucher,warrant,what is owing,witty reply,witty retort,yes-and-no answer 208 - acme,Olympian heights,acme of perfection,aerial heights,all,apex,apogee,apotheosis,authority,authorization,be-all and end-all,beau ideal,best type,blue ribbon,brow,cap,capstone,ceiling,championship,climax,cloud nine,command,consummation,control,crest,crown,culmen,culmination,cynosure,directorship,dizzy heights,dominion,edge,effectiveness,ego ideal,elevation,eminence,end,ether,extreme,extreme limit,extremity,first place,first prize,headship,heaven,heavens,hegemony,height,heights,hero,high noon,highest,highest degree,highest pitch,highest point,ideal,imperium,influence,jurisdiction,kingship,last word,leadership,lift,limit,lordship,management,mastership,mastery,maximum,meridian,mirror,most,mountaintop,ne plus ultra,new high,no place higher,noon,nth degree,palms,paragon,paramountcy,peak,perfection,pink,pink of perfection,pinnacle,pitch,point,pole,power,presidency,primacy,raise,record,ridge,rise,rising ground,rule,say,seventh heaven,shining example,sky,sovereignty,spire,steep,stratosphere,summit,supremacy,sway,the whole,tip,tip-top,top,top spot,ultimate,upmost,upper extremity,uppermost,uprise,utmost,utmost extent,uttermost,vantage ground,vantage point,vertex,very top,zenith 209 - acne,acne vulgaris,dermamycosis,dermatitis,dermatosis,eczema,elephantiasis,epithelioma,erysipelas,erythema,exanthem,heat rash,herpes,herpes simplex,herpes zoster,hives,impetigo,itch,jungle rot,leprosy,lichen,lichen primus,lupus,lupus vulgaris,miliaria,pemphigus,prickly heat,pruigo,pruritus,psora,ringworm,scabies,shingles,skin cancer,tetter 210 - acolyte,Bible clerk,Bible reader,acolytus,adjutant,agent,aid,aide,aide-de-camp,aider,almoner,anagnost,assistant,attendant,auxiliary,beadle,bedral,best man,capitular,capitulary,choir chaplain,churchwarden,clerk,coadjutant,coadjutor,coadjutress,coadjutrix,deacon,deaconess,deputy,diaconus,doorkeeper,elder,elderman,executive officer,exorcist,exorcista,help,helper,helpmate,helpmeet,holy orders,lay elder,lay reader,lector,lecturer,lieutenant,major orders,minor orders,ostiarius,paranymph,paraprofessional,parish clerk,precentor,presbyter,priest,reader,ruling elder,sacrist,sacristan,second,servant,sexton,shames,sideman,sidesman,subdeacon,subdiaconus,succentor,suisse,supporting actor,supporting instrumentalist,teaching elder,thurifer,verger,vergeress 211 - acoustic,audible,audile,audio,auditory,aural,auricular,hearing,hypersonic,otic,otological,otopathic,otoscopic,phonic,sonic,subsonic,supersonic,transonic,transsonic,ultrasonic 212 - acoustical,acoustic,audible,audile,audio,auditory,aural,auricular,hearing,hypersonic,otic,otological,otopathic,otoscopic,phonic,sonic,subsonic,supersonic,transonic,transsonic,ultrasonic 213 - acoustics,Newtonian physics,acoustical engineer,acoustician,aerophysics,applied physics,astrophysics,basic conductor physics,biophysics,chemical physics,cryogenics,crystallography,cytophysics,electron physics,electronics,electrophysics,geophysics,macrophysics,mathematical physics,mechanics,medicophysics,microphysics,natural philosophy,natural science,nuclear physics,optics,philosophy,phonics,physic,physical chemistry,physical science,physicochemistry,physicomathematics,physics,psychophysics,radiation physics,radioacoustics,radionics,solar physics,solid-state physics,statics,stereophysics,theoretical physics,thermodynamics,zoophysics 214 - acquaint,accustom,advertise,advertise of,advise,apprise,brief,bring word,clue,communicate,disclose,divulge,do the honors,enlighten,familiarize,fill in,give a knockdown,give an introduction,give notice,give the facts,give word,habituate,inform,instruct,introduce,leave word,let know,make acquainted,mention to,notify,post,present,quaint,report,reveal,send word,serve notice,speak,tell,verse,warn 215 - acquaintance,account,acquaintedness,advocate,alter ego,amigo,announcement,appreciation,apprehension,associate,awareness,backer,best friend,blue book,bosom friend,briefing,brother,bulletin,casual acquaintance,close acquaintance,close friend,colleague,communication,communique,companion,comrade,confidant,confidante,consciousness,corpus,crony,data,datum,directory,dispatch,enlightenment,evidence,experience,expertise,facts,factual base,factual information,familiar,familiarity,familiarization,favorer,fellow,fellow creature,fellowman,friend,gen,general information,grasp,guidebook,handout,hard information,incidental information,info,information,inseparable friend,instruction,intelligence,intimacy,intimate,introduction,inwardness,ken,knockdown,know-how,knowing,knowledge,light,lover,mate,mention,message,neighbor,notice,notification,other self,partisan,pickup,practical knowledge,presentation,private knowledge,privity,promotional material,proof,publication,publicity,ratio cognoscendi,release,report,repository,self-knowledge,sidelight,statement,supporter,sympathizer,technic,technics,technique,the dope,the goods,the know,the scoop,transmission,understanding,well-wisher,white book,white paper,word 216 - acquiesce,abide by,accede,accept,acclaim,accommodate,acquiesce in,adapt,adjust,agree,agree to,agree with,applaud,assent,be agreeable,be agreeable to,be dying to,be eager,be game,be open to,be persuaded,be ready,be spoiling for,be willing,bow,buy,cheer,coincide,collaborate,come around,come over,come round,come to,comply,comply with,concur,consent,cooperate,face the music,fall in with,give the nod,go along with,hail,hold with,in toto,incline,knock under,knuckle down,knuckle under,lean,live with it,look kindly upon,nod,nod assent,not hesitate to,not resist,obey,plunge into,receive,reconcile,relent,resign,submit,subscribe,subscribe to,succumb,swallow it,swallow the pill,take,take it,take kindly to,vote for,welcome,would as leave,would as lief,yes,yield assent 217 - acquiescence,OK,Quakerism,acceptance,acceptation,acception,accession,accommodation,accord,accordance,adaptation,adaption,adjustment,affirmation,affirmative,affirmative voice,agreeability,agreeableness,agreement,agreement in principle,alacrity,allegiance,amenability,approbation,approval,ardor,assent,assentation,assurance,assuredness,aye,belief,blessing,certainty,cheerful consent,complaisance,compliance,concurrence,confidence,conformance,conformation other-direction,conformity,congruity,connivance,consent,consistency,conventionality,cooperativeness,correspondence,credence,credit,credulity,deference,dependence,docility,duteousness,dutifulness,eagerness,endorsement,enthusiasm,faith,favorable disposition,favorableness,fealty,flexibility,forwardness,gameness,general agreement,goodwill,harmony,hearty assent,homage,hope,humbleness,humility,keeping,kneeling,line,loyalty,malleability,meekness,nonopposal,nonopposition,nonresistance,nonviolent resistance,obedience,obediency,obeisance,observance,okay,orthodoxy,passive resistance,passiveness,passivity,permission,pliability,pliancy,promptitude,promptness,quietism,ratification,readiness,reception,receptive mood,receptiveness,receptivity,reconcilement,reconciliation,reliance,reliance on,resignation,resignedness,responsiveness,right mood,sanction,service,servility,servitium,stock,store,strictness,subjection,submission,submissiveness,submittal,suit and service,suit service,supineness,support,sureness,surety,suspension of disbelief,tractability,traditionalism,trust,uncomplainingness,ungrudgingness,uniformity,unloathness,unreluctance,warm assent,welcome,willing ear,willing heart,willingness,yielding,zeal,zealousness 218 - acquiescent,abject,accepting,accommodating,accordant,acquiescing,adaptable,adapting,adaptive,adjustable,adjusting,affirmative,agreeable,agreed,agreeing,alacritous,amenable,approving,ardent,assentatious,assenting,complaisant,compliable,compliant,complying,conceding,concessive,conformable,conforming,consentient,consenting,content,cooperative,devoted,disposed,docile,duteous,dutiful,eager,endorsing,enthusiastic,fain,faithful,favorable,favorably disposed,favorably inclined,flexible,forward,game,humble,in the mind,in the mood,inclined,law-abiding,loyal,malleable,meek,minded,nondissenting,nonresistant,nonresisting,nonresistive,nothing loath,obedient,other-directed,passive,permissive,plastic,pliant,predisposed,prompt,prone,quick,ratifying,ready,ready and willing,receptive,reconciled,resigned,responsive,sanctioning,servile,submissive,subservient,supine,tractable,unassertive,uncomplaining,ungrudging,unloath,unrefusing,unreluctant,unresistant,unresisting,well-disposed,well-inclined,willed,willing,willinghearted,yielding,zealous 219 - acquire,accept,accumulate,achieve,add,admit,amass,annex,assume,bag,be responsible for,be seized of,bring down,bring in,bring on,bring upon,buy,capture,catch,catch up,claim,clap hands on,clasp,claw,clench,clinch,clutch,collect,come by,come in for,come into,contract,corral,cumulate,derive,derive from,drag down,drain off,draw,draw down,draw from,draw off,earn,embrace,enter into possession,fall in with,fall into,gain,garner,get,get hold of,glom on to,grab,grab hold of,grapple,grasp,grip,gripe,harvest,have,have coming in,hug,incur,invite,knock down,land,lay hands on,lay hold of,loot,make,nail,net,nip,nip up,obtain,palm,partake,pick up,pillage,pocket,possess,procure,pull down,purchase,reach,reap,receive,run,sack,score,secure,seize,snap up,snatch,steal,take,take by assault,take by storm,take hold of,take in,take on,take over,take possession,welcome,whip up,win 220 - acquisition,acceptance,accession,accomplishment,accomplishments,achievement,acquirement,acquiring,acquisition of knowledge,acquisitions,admission,admittance,assets,assumption,attainment,attainments,belongings,claiming,derivation,edification,education,enlightenment,finish,gain,getting,illumination,increment,instruction,learning,liberal education,means,object,obtaining,possession,possessions,procurement,property,purchase,receipt,receival,receiving,reception,sophistication,store of knowledge,taking,taking away,taking possession,theft 221 - acquisitive,a hog for,acquiring,all-devouring,ambitious for self,autistic,avaricious,avid,bottomless,careerist,coveting,covetous,demanding,desirous,devouring,egotistical,esurient,exacting,exigent,gluttonous,gobbling,grabby,grasping,greedy,hoggish,individualistic,insatiable,insatiate,itchy,limitless,mercenary,miserly,money-hungry,money-mad,narcissistic,omnivorous,overgreedy,personalistic,piggish,possessive,prehensile,privatistic,quenchless,rapacious,ravening,ravenous,remote,self-absorbed,self-admiring,self-advancing,self-besot,self-centered,self-considerative,self-contained,self-devoted,self-esteeming,self-indulgent,self-interested,self-jealous,self-occupied,self-pleasing,self-seeking,self-serving,self-sufficient,selfish,slakeless,sordid,swinish,unappeasable,unappeased,unquenchable,unsated,unsatisfied,unslakeable,unslaked,venal,voracious 222 - acquit,absolve,amnesty,bear,carry,clear,comport,conduct,convict,decontaminate,demean,deport,destigmatize,discharge,dismiss,dispense from,exculpate,excuse,exempt,exempt from,exonerate,forgive,free,give absolution,go on,grant amnesty to,grant immunity,grant remission,justify,let go,let off,liberate,nonpros,pardon,pass sentence,penalize,purge,quash the charge,quit,release,remit,set free,shrive,vindicate,whitewash,withdraw the charge 223 - acquittal,accordance,acquitment,acquittance,adherence,amortization,amortizement,binder,care,carrying out,cash,cash payment,clearance,compliance,condemnation,conformance,conformity,debt service,decision,defrayal,defrayment,deposit,disbursal,discharge,doling out,down payment,earnest,earnest money,execution,fulfillment,heed,heeding,hire purchase,hire purchase plan,installment,installment plan,interest payment,judgment,keeping,landmark decision,liquidation,monthly payments,never-never,observance,observation,paying,paying off,paying out,paying up,payment,payment in kind,payoff,penalty,performance,practice,prepayment,quarterly payments,quittance,regular payments,remittance,respect,retirement,satisfaction,sentence,settlement,sinking-fund payment,spot cash,verdict,weekly payments 224 - acquitted,absolved,blotted,canceled,condoned,discharged,disregarded,exculpated,excused,exonerated,expended,forgiven,forgotten,hired,indulged,liquidated,overlooked,paid,paid in full,pardoned,postpaid,prepaid,receipted,redeemed,remitted,reprieved,salaried,settled,shriven,spared,spent,unavenged,uncondemned,unresented,unrevenged,waged,wiped away 225 - acreage,area,breadth,continuum,dimension,emptiness,empty space,expanse,expansion,extension,extent,field,galactic space,infinite space,interstellar space,measure,nothingness,outer space,proportion,space,spatial extension,sphere,spread,superficial extension,surface,tract,void,volume 226 - acres,abundance,alluvion,alluvium,arable land,bags,barrels,bushel,chattels real,clay,clod,copiousness,countlessness,crust,demesne,dirt,domain,dry land,dust,earth,flood,freehold,glebe,grassland,ground,grounds,honor,land,landed property,landholdings,lands,lithosphere,load,lot,lots,manor,marginal land,marl,mass,messuage,mold,mountain,much,multitude,numerousness,ocean,oceans,parcel,peck,plat,plenitude,plenty,plot,praedium,profusion,property,quadrat,quantities,quantity,real estate,real property,realty,region,regolith,sea,sod,soil,spate,subaerial deposit,subsoil,superabundance,superfluity,tenements,terra,terra firma,terrain,territory,the country,toft,tons,topsoil,volume,woodland,world,worlds 227 - acrid,acerb,acerbate,acerbic,acid,acidic,acidulent,acidulous,acrimonious,acute,amaroidal,antagonistic,antipathetic,asperous,astringent,austere,belligerent,biting,bitter,bitter as gall,caustic,clashing,cloying,coarse,colliding,conflicting,corroding,corrosive,cutting,despiteful,double-edged,edged,escharotic,featheredged,fierce,fine,full of hate,hard,harsh,hateful,hostile,incisive,irritating,keen,keen-edged,knifelike,malevolent,malicious,malignant,mordacious,mordant,nose-tickling,oversweet,penetrating,piercing,piquant,poignant,pungent,quarrelsome,rancorous,razor-edged,repugnant,rigorous,rough,saccharine,scathing,scorching,set,set against,severe,sharp,sore,sour,spiteful,stabbing,stinging,strident,stringent,tart,trenchant,two-edged,vehement,venomous,violent,virulent,vitriolic,withering 228 - acridity,acerbity,acidity,acidness,acidulousness,acridness,acrimony,acuity,acumination,acuteness,asperity,astringence,astringency,bite,bitingness,bitter pill,bitterness,causticity,causticness,corrosiveness,cuttingness,edge,fierceness,gall,gall and wormwood,grip,harshness,incisiveness,keenness,mordacity,mordancy,mucronation,piercingness,piquancy,poignancy,point,pointedness,prickliness,pungency,rigor,roughness,severity,sharpness,sourness,spinosity,stabbingness,sting,stridency,stringency,tartness,teeth,thorniness,trenchancy,vehemence,violence,virulence 229 - acrimonious,acerb,acerbate,acerbic,acid,acidic,acidulent,acidulous,acrid,astringent,belligerent,biting,bitter,burning,caustic,choleric,contentious,corroding,corrosive,cranky,cross,cutting,double-edged,edged,embittered,escharotic,fierce,harsh,incisive,indignant,irascible,irate,ireful,keen,mad,mordacious,mordant,penetrating,piercing,poignant,quarrelsome,rancorous,rankled,resentful,resenting,rigorous,rough,scathing,scorching,severe,sharp,sore,splenetic,stabbing,stewing,stinging,strident,stringent,tart,testy,trenchant,vehement,violent,virulent,vitriolic,withering,wrathful,wrathy,wroth 230 - acrimony,acerbity,acid,acidity,acidness,acidulousness,acridity,animosity,animus,antipathy,asperity,astringency,bad blood,bile,bite,bitingness,bitter feeling,bitter resentment,bitterness,bitterness of spirit,causticity,causticness,choler,corrosiveness,edge,feud,fierceness,gall,gnashing of teeth,grip,hard feelings,harshness,heartburning,ill blood,ill feeling,ill will,incisiveness,keenness,malevolence,malice,malignity,mordacity,mordancy,piercingness,poignancy,point,rancor,rankling,rigor,roughness,severity,sharpness,slow burn,soreness,sourness,spite,spleen,stabbingness,sting,stridency,stringency,tartness,teeth,trenchancy,vehemence,vendetta,venom,violence,virulence,vitriol 231 - acrobat,aerialist,bareback rider,circus artist,clown,contortionist,equestrian director,equilibrist,flier,funambulist,gymnast,high wire artist,high-wire artist,juggler,lion tamer,palaestrian,pancratiast,ringmaster,ropewalker,slack-rope artist,snake charmer,sword swallower,tightrope walker,trapeze artist,tumbler,weightlifter 232 - acrobatics,Rugby,aerobatics,agonistics,association football,athletics,banking,bathing,chandelle,crabbing,dive,diving,fishtailing,glide,gymnastics,natation,nose dive,palaestra,power dive,pull-up,pullout,pushdown,rolling,rugger,sideslip,soccer,spiral,sports,stall,stunting,swimming,tactical maneuvers,track,track and field,tumbling,volplane,zoom 233 - acropolis,bastion,beachhead,blockhouse,bridgehead,bunker,castle,citadel,donjon,fasthold,fastness,fort,fortress,garrison,garrison house,hold,keep,martello,martello tower,mote,motte,peel,peel tower,pillbox,post,rath,safehold,strong point,stronghold,tower,tower of strength,ward 234 - across the board,across-the-board,all,all put together,all-comprehensive,all-inclusive,altogether,as a body,as a whole,at large,blanket,bodily,collectively,compendious,complete,comprehensive,corporately,en bloc,en masse,encyclopedic,entirely,global,in a body,in all,in all respects,in bulk,in its entirety,in the aggregate,in the gross,in the lump,in the mass,in toto,omnibus,on all counts,over-all,panoramic,sweeping,synoptic,total,totally,tout ensemble,universal,whole,wholly,without exception,without omission 235 - across,across the grain,against,astraddle,astride,athwart,athwartships,bendwise,beyond,bias,biased,biaswise,catercorner,catercornered,confronting,contrariwise,contrawise,crisscross,cross,cross-grained,crossway,crossways,crosswise,diagonal,facing,fronting,horseback,in front of,in opposition to,kittycorner,oblique,obliquely,on,on horseback,over against,overthwart,past,sideways,sidewise,slant,straddle,straddle-legged,straddleback,thwart,thwartly,thwartways,toward,transversal,transverse,transversely,traverse,versus 236 - acrostic,abuse of terms,acronym,amphibologism,amphiboly,anagram,avyayibhava,back formation,calembour,clipped word,compound,conjugate,construction,corruption,dvandva,dvigu,endocentric compound,equivocality,equivoque,exocentric compound,formation,jeu de mots,logogram,logogriph,malapropism,metagram,missaying,palindrome,paronomasia,paronym,play on words,pun,punning,spoonerism,tatpurusha,word form,wordplay 237 - acrylic,Bakelite,Buna,Celluloid,Formica,Lucite,Mylar,PVC,Perspex,Plexiglas,Styrofoam,Teflon,acetate,acetate nitrate,alkyd,aminoplast,casein plastic,cellophane,cellulose acetate,cellulose ether,cellulose nitrate,cellulosic,coumarone-indene,epoxy,fluorocarbon plastic,furane,lignin,melamine,multiresin,neoprene,nitrate,nylon,phenolic urea,polyester,polymeric amide,polypropylene,polystyrene,polyvinyl chloride,resinoid,silicone resin,tetrafluoroethylene,urea,urea formaldehyde,vinyl 238 - act as,act,act a part,act out,ape,copy,do,do duty,enact,function,function as,impersonate,masquerade as,mime,mimic,officiate,pantomime,pass for,perform,perform as,personate,play,play a part,pose as,pretend to be,serve,take off,work as 239 - act for,advance,answer for,appear for,assist,back up,be instrumental,change places with,commission,crowd out,cut out,deputize,displace,double for,facilitate,fill in for,forward,front for,ghost,ghostwrite,go between,mediate,minister to,pinch-hit,pinch-hit for,promote,relieve,replace,represent,serve,speak for,spell,spell off,stand in for,subrogate,subserve,substitute for,succeed,supersede,supplant,swap places with,understudy,understudy for 240 - act like,affect,assume,borrow,chorus,copy,counterfeit,crib,ditto,do,do like,echo,fake,forge,go like,hoke,hoke up,imitate,make like,mirror,plagiarize,reecho,reflect,repeat,simulate 241 - act of God,certainty,fate,fatefulness,force majeure,indefeasibility,ineluctability,inescapableness,inevasibleness,inevitability,inevitable accident,inevitableness,inexorability,inflexibility,irrevocability,necessity,predetermination,relentlessness,sureness,unavoidable casualty,unavoidableness,uncontrollability,undeflectability,unpreventability,unyieldingness,vis major 242 - act on,act upon,affect,approach,bear a hand,bear upon,concentrate on,condemn,decree,do something,do something about,doom,draw,draw on,exert influence,find,find against,find for,focus on,get cozy with,get with it,go,influence,lead on,lift a finger,lobby,lobby through,magnetize,make advances,make overtures,make up to,maneuver,operate on,order,pass judgment,pass sentence,proceed,proceed with,pronounce,pronounce judgment,pronounce on,pull strings,report,return a verdict,rule,sentence,strike a blow,take a hand,take action,take measures,take steps,treat,utter a judgment,wire-pull,work on 243 - act out,act,act a part,act as,ape,copy,create a role,depict,do,enact,impersonate,masquerade as,mime,mimic,pantomime,pass for,perform,personate,play,play a part,play a role,play opposite,portray,pose as,pretend to be,represent,support,sustain a part,take a part,take off 244 - act,accomplish,accomplished fact,accomplishment,achieve,achievement,acquit,act,act a part,act as,act as foil,act out,acta,acting,action,actions,activism,activity,acts,address,adventure,affect,affectation,afterpiece,air,ape,appear,assume,barnstorm,be effective,be in action,be productive,bear,bearing,behave,behavior,behavior pattern,behavioral norm,behavioral science,bill,bit,blow,bluff,bring about,bring into being,bring to fruition,bylaw,canon,carriage,carry,cause,characterize,chaser,come out,comport,comportment,concurrent resolution,conduct,constitution,copy,counterfeit,coup,course,cover up,culture pattern,curtain,curtain call,curtain raiser,custom,dealings,decree,deed,demean,demeanor,deport,deportment,dictate,dictation,discourse,dissemble,dissimulate,divertimento,divertissement,do,doing,doings,edict,effectuate,effort,emote,emotionalize,employment,enact,enaction,enactment,endeavor,engineer,enterprise,epilogue,execute,exercise,exode,exodus,exploit,expository scene,fait accompli,fake,feat,feign,finale,folkway,form,formality,formula,formulary,four-flush,function,functioning,gammon,gest,gestures,get top billing,go,go on,goings-on,guise,hand,handiwork,have effect,have free play,have play,hoke act,impersonate,industrialize,institution,interlude,intermezzo,intermission,introduction,job,joint resolution,jus,law,lawmaking,legislation,legislature,let on,let on like,lex,maintien,make,make a pretense,make as if,make believe,make like,maneuver,manner,manners,masquerade,masquerade as,mass-produce,measure,method,methodology,methods,mien,militate,mime,mimic,misbehave,modus vivendi,motion,motions,move,movements,moves,number,observable behavior,occupation,officiate,operate,operation,operations,ordinance,ordonnance,overproduce,overt act,pantomime,pass for,passage,passing,patter,pattern,percolate,perform,performance,perk,personate,play,play a part,play possum,play the lead,playact,poise,port,portray,pose,pose as,posture,practice,praxis,prescript,prescription,presence,pretend,pretend to be,procedure,proceed,proceeding,process,produce,production,profess,prologue,put on,quit,react,realize,register,regulation,represent,res gestae,resolution,routine,rubric,rule,ruling,run,scene,serve,sham,shtick,simulate,sketch,skit,social science,song and dance,stand-up comedy act,standing order,star,statute,steal the show,step,stooge,striptease,stroke,stunt,style,swing,tactics,take,take effect,take off,thing,thing done,tick,tone,tour de force,transaction,tread the boards,troupe,turn,undertaking,upstage,volume-produce,way,way of life,ways,work,working,workings,works 245 - acta,accomplished fact,accomplishment,account,account rendered,accounting,achievement,act,action,adventure,annual,blow,brief,bulletin,census report,coup,dealings,deed,doing,doings,effort,election returns,endeavor,enterprise,exploit,fait accompli,feat,gest,go,hand,handiwork,job,maneuver,measure,minutes,move,operation,overt act,passage,performance,proceeding,proceedings,production,report,res gestae,returns,statement,step,stroke,stunt,tally,the record,thing,thing done,tour de force,transaction,transactions,turn,undertaking,work,works,yearbook 246 - acting,act,action,active,activism,activity,ad interim,affectation,aping,appearance,at work,attitudinizing,behavior,behavioral,bluff,bluffing,buffoonery,business,characterization,cheating,color,coloring,deception,delusion,deputative,deputy,disguise,dissemblance,dissembling,dissimulation,doing,dumb show,embodiment,employment,enacting,enactment,exercise,facade,face,fakery,faking,false air,false front,false show,falsity,feigning,feint,four-flushing,fraud,front,function,functional,functioning,gag,gilt,gloss,going,going on,ham,hammy acting,hoke,hokum,humbug,humbuggery,imitation,impersonation,imposture,in exercise,in force,in hand,in operation,in play,in practice,in process,in the works,inaction,incarnation,interim,masquerade,meretriciousness,mimesis,mimicking,mimicry,miming,movements,mummery,occupation,on foot,on the fire,ongoing,operating,operation,operational,operations,ostentation,outward show,overacting,pantomime,pantomiming,patter,performance,performing,personation,personification,play,playacting,playing,portrayal,pose,posing,posture,practice,practicing,praxis,pretense,pretension,pretext,pro tem,pro tempore,projection,representation,representative,running,seeming,semblance,serving,sham,show,simulacrum,simulation,slapstick,speciousness,stage business,stage directions,stage presence,stunt,supply,swing,taking a role,varnish,window dressing,work,working,workings 247 - action,accomplished fact,accomplishment,achievement,act,acta,actions,activeness,activism,activity,acts,ad hoc measure,address,adventure,aerial combat,affectation,affray,agency,air,amphibious operations,anagnorisis,angle,answer,architectonics,architecture,argument,armored combat,artifice,atmosphere,automatic control,award,background,ball,battle,battle royal,bearing,behavior,behavior pattern,behavioral norm,behavioral science,big time,blow,brush,bullfight,business,carriage,cascade control,case,catastrophe,cause,cause in court,characterization,clash,clash of arms,clockworks,cockfight,color,combat,combined operations,complication,comportment,condemnation,conduct,conflict,consideration,continuity,contrivance,control action,countermove,coup,course of action,culture pattern,custom,dealings,decision,decree,deed,deliverance,demarche,demeanor,denouement,deportment,design,determination,development,device,diagnosis,dictum,direction,discharge,dodge,dogfight,doing,doings,doom,drive train,driving,dry run,effect,effectiveness,effectuation,effort,electronic control,embroilment,encounter,endeavor,energy,engagement,enterprise,episode,exchange of blows,execution,exercise,exertion,expedient,exploit,fable,fait accompli,falling action,feat,feedback control,fight,fighting,finding,fire fight,fluid operations,folkway,force,fray,fulfillment,fun,fun and games,function,functioning,funmaking,game,gear,gest,gestures,gimmick,go,goings-on,good time,great fun,ground combat,guise,hand,hand-to-hand combat,hand-to-hand fight,handiwork,handling,high old time,high time,house-to-house combat,improvisation,incident,influence,initiative,innards,job,judicial process,jury-rig,jury-rigged expedient,last expedient,last resort,last shift,laughs,lawsuit,legal action,legal case,legal proceedings,legal process,legal remedy,line,litigation,liveliness,local color,logistics,lovely time,machinery,maintien,makeshift,management,maneuver,maneuvers,manipulation,manner,manners,means,measure,mechanism,method,methodology,methods,mien,militancy,military operations,minor operations,mission,modus vivendi,mood,motif,motion,motions,move,movement,movements,moves,mythos,naval combat,observable behavior,occupation,operancy,operation,operations,order,overseas operations,overt act,passage,passage of arms,pattern,performance,performing,peripeteia,picnic,pis aller,pitched battle,plan,play,pleasant time,plot,poise,political activism,port,pose,posture,power,power train,practice,praxis,precedent,presence,procedure,proceeding,proceedings,process,production,prognosis,pronouncement,prosecution,quarrel,reaction,recognition,remedy,res gestae,resolution,resort,resource,responsibility,rising action,robot control,ruling,rumble,running,running fight,scheme,scramble,scrimmage,scuffle,secondary plot,sentence,servo control,servomechanism,shake-up,shift,shoving match,skirmish,slant,social science,solution,sortie,spirit,sport,staff work,stand-up fight,steering,step,stir,stopgap,story,stratagem,street fight,strength,stroke,stroke of policy,structure,struggle,stunt,style,subject,subplot,suit,suit at law,supervisory control,switch,tactic,tactics,tauromachy,temporary expedient,thematic development,theme,thing,thing done,tone,topic,tour de force,transaction,trick,trump,tug-of-war,turn,tussle,twist,undertaking,verdict,vigor,vim,vitality,war game,war plans,watchworks,way,way of life,ways,wheels,wheels within wheels,work,working,working hypothesis,working proposition,workings,works 248 - actionable,against the law,anarchic,anarchistic,anomic,applicable,authorized,black-market,bootleg,causidical,chargeable,competent,constitutional,contraband,contrary to law,criminal,felonious,flawed,illegal,illegitimate,illicit,impermissible,irregular,judicial,juridical,just,justiciable,kosher,lawful,lawless,lawmaking,legal,legislative,legit,legitimate,licit,litigable,litigant,litigatory,litigious,nonconstitutional,nonlegal,nonlicit,outlaw,outlawed,punishable,rightful,sanctioned,statutory,triable,unallowed,unauthorized,unconstitutional,under-the-counter,under-the-table,unlawful,unofficial,unstatutory,unwarrantable,unwarranted,valid,within the law,wrongful 249 - activate,accelerate,actuate,animate,arouse,atomize,awaken,bombard,charge,cleave,contaminate,cross-bombard,energize,fission,galvanize,get going,impel,infect,initiate,irradiate,mobilize,motivate,move,nucleize,poison,prompt,radiumize,rally,reactivate,recharge,remilitarize,rouse,set going,set in motion,smash the atom,start,stimulate,stir,switch on,trigger,turn on,wake,waken 250 - active,acting,active voice,activist,activistic,acute,aggressive,agile,alert,alive,animated,assiduous,at work,bouncing,bouncy,breezy,brisk,bubbly,bustling,busy,catty,chipper,compliant,conforming,conscientious,constant,devoted,devout,diligent,driving,duteous,dutiful,dynamic,ebullient,effective,effectual,effervescent,efficacious,efficient,energetic,enterprising,enthusiastic,expeditious,faithful,flexible,forceful,forcible,frisky,full,full of go,full of life,full of pep,functional,functioning,go-go,going,going on,graceful,hearty,hyperactive,impelling,impetuous,in exercise,in force,in hand,in motion,in operation,in play,in practice,in process,in the works,inaction,incisive,industrious,influential,intense,keen,kinetic,live,lively,living,loyal,lusty,medio-passive,mercurial,meticulous,mettlesome,middle,middle voice,militant,mindful,mobile,motile,motivational,motive,motor,moving,nimble,observant,occupied,on foot,on the fire,on the go,on the move,ongoing,operating,operational,operative,passive,passive voice,peppy,perky,pert,physical,potent,powerful,practicing,prompt,propellant,propelling,punctilious,punctual,quick,quicksilver,ready,reflexive,regardful,robust,running,rushing,scrupulous,smacking,snappy,spanking,spirited,sprightly,spry,stirring,strenuous,strong,supple,take-charge,take-over,transitional,traveling,trenchant,true,vibrant,vigorous,vivacious,vivid,voice,wide-awake,working,zestful,zesty,zingy,zippy 251 - activism,act,acting,action,activeness,activity,behavior,business,doing,doings,employment,exercise,function,functioning,goings-on,militancy,motion,movement,movements,occupation,operation,operations,play,political activism,practice,praxis,proceedings,stir,swing,work,working,workings 252 - activist,ball of fire,beaver,big-time operator,bustler,busy bee,doer,eager beaver,enthusiast,go-getter,human dynamo,hustler,live wire,man of action,man of deeds,militant,new broom,operator,political activist,powerhouse,take-charge guy,wheeler-dealer,winner 253 - activity,act,acting,action,actions,activism,activities,acts,actuation,address,affair,affairs,affectation,air,animation,ardor,artificial radioactivity,bag,bearing,behavior,behavior pattern,behavioral norm,behavioral science,brio,briskness,business,bustle,campaign,carriage,cause,commerce,commitment,comportment,concern,concernment,conduct,contamination,crusade,culture pattern,curiage,custom,decontamination,demeanor,deportment,doing,doings,drive,dynamics,elan,employ,employment,endeavor,energy,enterprise,enthusiasm,exercise,exercising,exertion,faith,fallout,folkway,function,functioning,gestures,glow,going,goings-on,great cause,guise,gusto,half-life,impetuosity,impetus,interest,issue,job,joie de vivre,kinematics,kinesipathy,kinesis,kinesitherapy,kinetics,labor,life,lifework,liveliness,lookout,lustiness,maintien,manner,manners,mass movement,matter,method,methodology,methods,mettle,mien,mobilization,modus vivendi,motion,motions,motivation,move,movement,movements,moves,moving,natural radioactivity,nuclear radiation,observable behavior,occupation,operation,operations,pattern,perkiness,pertness,play,poise,port,pose,posture,practice,praxis,presence,principle,procedure,proceeding,project,pursuit,radiant energy,radiation,radioactive radiation,radioactivity,radiocarbon dating,radiolucency,radiopacity,radiosensibility,radiosensitivity,reason for being,restlessness,robustness,running,saturation point,service,social science,specific activity,spirit,spiritedness,stir,stirring,style,swing,tactics,thing,tone,undertaking,unrest,velocity,venture,vigor,vim,vivacity,vocation,warmth,way,way of life,ways,work,working,workings,zest,zestfulness 254 - actor,Artful Dodger,Casanova,Don Juan,Machiavel,Machiavelli,Machiavellian,Roscius,actress,affecter,agent,antagonist,antihero,architect,author,bad guy,bamboozler,barnstormer,befuddler,beguiler,bit,bit part,cast,character,character actor,character man,character woman,charmer,child actor,counterfeiter,creator,cue,deceiver,deluder,diseur,diseuse,dissembler,dissimulator,dodger,doer,double-dealer,dramatizer,duper,enchanter,entrancer,executant,executor,executrix,fabricator,fake,faker,fat part,feeder,foil,fooler,forger,fraud,gay deceiver,heavy,hero,heroine,histrio,histrion,hoaxer,hollow man,hypnotizer,impersonator,ingenue,jilt,jilter,joker,jokester,juvenile,kidder,lead,lead role,leading lady,leading man,leading woman,leg-puller,lines,mainstay,maker,man of straw,mannerist,matinee idol,medium,mesmerizer,mime,mimer,mimic,misleader,monologist,mover,mummer,operant,operative,operator,pantomime,pantomimist,paper tiger,part,partaker,participator,party,performer,perpetrator,person,personage,phony,piece,plagiarist,plagiarizer,playactor,player,practical joker,practitioner,pretender,prime mover,producer,protagonist,protean actor,ragger,reciter,role,role-player,seducer,sharer,side,soubrette,spoofer,stage performer,stage player,stooge,straight man,straight part,straw man,stroller,strolling player,subject,supporter,supporting character,supporting role,sustainer,tease,teaser,theatrical,thespian,title role,trouper,upholder,utility man,villain,walk-on,walking part,worker 255 - actress,Roscius,actor,antagonist,bad guy,barnstormer,character,character actor,character man,character woman,child actor,diseur,diseuse,dramatizer,feeder,foil,heavy,histrio,histrion,ingenue,juvenile,matinee idol,mime,mimer,mimic,monologist,mummer,pantomime,pantomimist,playactor,player,protean actor,reciter,soubrette,stage performer,stage player,stooge,straight man,stroller,strolling player,theatrical,thespian,trouper,utility man,villain 256 - actual,absolute,admitting no question,as is,ascertained,attested,authentic,authenticated,being,bona fide,categorically true,certain,certified,commonplace,concrete,confirmable,confirmed,contemporaneous,contemporary,corroborated,current,de facto,demonstrable,demonstratable,demonstrated,determined,documentary,effectual,established,everyday,existent,existing,extant,factual,for real,fresh,genuine,hard,historical,honest-to-God,immanent,immediate,inappealable,incontestable,incontrovertible,indisputable,indubitable,instant,irrefragable,irrefutable,latest,legitimate,manifest,material,modern,new,not in error,objective,objectively true,ordinary,phenomenal,physical,positive,present,present-age,present-day,present-time,provable,proved,real,realistic,realized,routine,running,self-evident,solid,substantial,substantiated,sure-enough,tangible,testable,that be,that is,topical,true,true as gospel,true to life,truthful,unanswerable,unconfutable,unconfuted,undeniable,undenied,undoubted,unerroneous,unfallacious,unfalse,unimpeachable,unmistaken,unquestionable,unrefutable,unrefuted,up-to-date,up-to-the-minute,usual,validated,veracious,veridical,verifiable,verified,veritable 257 - actuality,accomplished fact,achievement,actualization,attainment,authenticity,basis,being,confirmability,demonstratability,doubtlessness,embodiment,essence,eternal verities,externalization,fact,factuality,fait accompli,good sooth,grim reality,historical truth,historicity,incarnation,incontestability,incontrovertibility,indisputability,indubitability,indubitableness,irrefragability,irrefutability,materialization,not a dream,objective existence,provability,questionlessness,reality,sooth,substance,the true,trueness,truth,truthfulness,ultimate truth,unconfutability,undeniability,unerroneousness,unfallaciousness,unfalseness,unimpeachability,unquestionability,unrefutability,veracity,verifiability,verity,very truth 258 - actually,absolutely,assuredly,certainly,clearly,de facto,decidedly,demonstrably,factually,for a certainty,for real,forsooth,genuinely,historically,in actuality,in all conscience,in effect,in fact,in reality,in truth,in very sooth,indeed,indeedy,indubitably,literally,manifestly,nothing else but,noticeably,observably,obviously,of a truth,patently,positively,quite,really,really-truly,sensibly,seriously,truly,unambiguously,undeniably,undoubtedly,unmistakably,verily,veritably,visibly,with truth,without doubt 259 - actuary,CA,CPA,abacist,accident insurance,accountant,accountant general,annuity,assurance,auditor,aviation insurance,bail bond,bank accountant,bank examiner,bond,bookkeeper,business life insurance,calculator,casualty insurance,certificate of insurance,certified public accountant,chartered accountant,clerk,comptroller,computer,controller,cost accountant,cost keeper,court bond,credit insurance,credit life insurance,deductible,endowment insurance,estimator,family maintenance policy,fidelity bond,fidelity insurance,figurer,flood insurance,fraternal insurance,government insurance,health insurance,industrial life insurance,insurance,insurance agent,insurance broker,insurance company,insurance man,insurance policy,interinsurance,journalizer,liability insurance,license bond,limited payment insurance,major medical insurance,malpractice insurance,marine insurance,mutual company,ocean marine insurance,permit bond,policy,reckoner,recorder,registrar,robbery insurance,social security,statistician,stock company,term insurance,theft insurance,underwriter 260 - actuate,animate,arouse,circulate,compel,drive,drive on,energize,excite,force,forward,foster,galvanize,give an impetus,give momentum,goad,impel,incite,mobilize,motivate,move,move to action,nudge,power,promote,propel,provoke,push,put in motion,rouse,set agoing,set going,set in motion,set off,shove,spark,stimulate,stir,thrust,vitalize,whip on 261 - actuation,activity,animation,direction,dynamics,going,influence,inner-direction,kinematics,kinesipathy,kinesis,kinesitherapy,kinetics,mobilization,motion,motivation,move,movement,moving,other-direction,prompting,restlessness,running,stimulation,stir,stirring,unrest,velocity 262 - acuity,acridity,acumen,acumination,acuteness,adroitness,agility,alertness,apperception,aptitude,aptness,astuteness,attention,attentiveness,braininess,brightness,brilliance,clear thinking,cleverness,cogency,dexterity,discernment,edge,esprit,farseeingness,farsightedness,flair,foresight,foresightedness,genius,giftedness,gifts,incisiveness,insight,keen-wittedness,keenness,longheadedness,longsightedness,mental alertness,mercurial mind,mucronation,native cleverness,nimble mind,nimble-wittedness,nimbleness,nous,penetration,perception,perceptiveness,percipience,perspicaciousness,perspicacity,perspicuity,perspicuousness,pointedness,prickliness,promptitude,promptness,providence,punctuality,quick parts,quick thinking,quick wit,quick-wittedness,quickness,readiness,ready wit,sagaciousness,sagacity,savvy,sensibility,sharp-wittedness,sharpness,sleeplessness,smartness,smarts,spinosity,sprightly wit,talent,thorniness,trenchancy,wakefulness 263 - acumen,acuity,acuteness,apperception,astuteness,cogency,critical discernment,discernment,discrimination,farseeingness,farsightedness,flair,foresight,foresightedness,incisiveness,insight,judgment,keenness,longheadedness,longsightedness,penetration,perception,perceptiveness,percipience,perspicaciousness,perspicacity,perspicuity,perspicuousness,providence,sagaciousness,sagacity,sensibility,sharpness,shrewdness,trenchancy 264 - acute,Machiavellian,Machiavellic,absorbing,acanthoid,acanthous,accurate,acicular,acrid,active,acuate,aculeate,aculeiform,acuminate,afflictive,aggravated,aggressive,agonizing,alert,animated,apperceptive,appercipient,arch,argute,artful,astute,atrocious,aware,barbed,biting,brisk,cagey,canny,clamorous,clever,climacteric,cogent,compelling,cornuted,crafty,cramping,creaky,critical,crucial,cruel,crying,cunning,cusped,cuspidate,cute,cutting,dangerous,deceitful,deep,deep-felt,deep-laid,deepgoing,designing,desperate,diplomatic,dire,discerning,discriminating,distressing,double-edged,drastic,dynamic,ear-piercing,edged,energetic,enterprising,enthusiastic,excessive,excruciating,exigent,exorbitant,exquisite,extravagant,extreme,farseeing,farsighted,featheredged,feline,fierce,fine,forceful,forcible,foreseeing,foresighted,forethoughted,forethoughtful,foxy,full of pep,furious,gnawing,go-go,grave,great,griping,guileful,hard,harrowing,harsh,hazardous,heartfelt,hearty,high,high-pressure,high-priority,hispid,homefelt,horned,horny,howling,hurtful,hurting,immoderate,imperative,imperious,impetuous,incisive,indelible,ingenious,insidious,insightful,insistent,instant,intelligent,intemperate,intense,intensified,inventive,keen,keen-edged,keening,kinetic,knifelike,knowing,lively,living,longheaded,longsighted,lusty,menacing,meticulous,mettlesome,mucronate,narrow,needle-pointed,needle-sharp,observant,outrageous,painful,paroxysmal,pawky,peaked,peaky,penetrating,peppy,perceptive,percipient,perilous,perspicacious,perspicuous,pervading,piercing,piping,pivotal,poignant,pointed,politic,precarious,precise,pressing,prickly,probing,profound,pronged,provident,pungent,quick-witted,racking,razor-edged,ready,reedy,resourceful,rigorous,robust,rough,sagacious,scheming,screaky,screeching,screechy,sensitive,serious,serpentine,set,severe,shall,sharp,sharp-pointed,sharp-sighted,sharp-witted,shifty,shooting,shrewd,shrieking,shrieky,shrill,slick,slippery,sly,smacking,smooth,snaky,snappy,sneaky,sophistical,spanking,spasmatic,spasmic,spasmodic,spiculate,spiked,spiky,spined,spinous,spiny,spirited,splitting,squeaking,squeaky,stabbing,stealthy,stinging,strategic,strenuous,strong,subtile,subtle,sudden,supple,tactical,take-charge,take-over,tapered,tapering,thin,threatening,tined,tinny,toothed,tormenting,torturous,tough,treble,trenchant,trickish,tricksy,tricky,two-edged,ululant,unbated,unconscionable,understanding,urgent,vehement,venomous,vibrant,vigorous,violent,virulent,vivacious,vivid,vulpine,wailing,wary,whining,whistling,wily,wise,zestful,zesty,zippy 265 - acutely,abundantly,amazingly,amply,astonishingly,awesomely,conspicuously,copiously,eminently,emphatically,exceptionally,exquisitely,extraordinarily,exuberantly,famously,generously,glaringly,impressively,incredibly,intensely,magically,magnanimously,magnificently,markedly,marvelously,nobly,notably,particularly,peculiarly,pointedly,preeminently,profusely,prominently,pronouncedly,remarkably,richly,signally,singularly,splendidly,strikingly,superlatively,surpassingly,surprisingly,uncommonly,unusually,wonderfully,wondrous,worthily 266 - ad infinitum,again and again,all over,at a stretch,at all points,at full length,at length,boundlessly,ceaselessly,connectedly,constantly,continually,continuously,cumulatively,cyclically,endlessly,eternally,everlastingly,every bit,every inch,every whit,extensively,forever,head and shoulders,heart and soul,illimitably,immeasurably,immensely,in all respects,in every respect,in extenso,in perpetuity,incalculably,incessantly,incomprehensibly,indestructibly,infinitely,innumerably,inside and out,interminably,lengthily,limitlessly,measurelessly,monotonously,neck deep,never-endingly,on a stretch,on all counts,on and on,on end,overall,perdurably,perennially,permanently,perpetually,repetitively,root and branch,round the clock,steadily,through and through,throughout,time without end,to infinity,to the brim,to the death,to the end,to the hilt,together,unbrokenly,unceasingly,unendingly,unintermittently,uninterruptedly,unrelievedly,without a break,without cease,without end,without limit,without stopping,world without end,you name it 267 - ad lib,a beneplacito,a discretion,ad arbitrium,ad libitum,ad-libbing,al piacere,arrangement,at choice,at pleasure,at short notice,at sight,at will,be caught napping,be surprised,be taken unawares,be unprepared,by ear,caught napping,caught off balance,caught short,cook up,dash off,disqualification,do offhand,extemporaneous,extemporaneously,extemporaneousness,extemporarily,extemporariness,extemporary,extempore,extemporization,extemporize,extemporized,fake,go off half-cocked,haphazard,hasty,have no plan,impromptu,improvisate,improvisation,improvisatorial,improvise,improvised,improvision,improviso,incapability,incompetence,jury-rig,jury-rigged,knock off,lack of preparation,lash up,make up,makeshift,measure,nonpreparation,nonpreparedness,off the cuff,off the hip,off-the-cuff,offhand,on sight,out of hand,planlessness,play by ear,playing by ear,precipitate,pro tempore,rough-and-ready,scrap the plan,snap,stopgap,strike off,surprised,taken aback,taken by surprise,taken unawares,temporary arrangement,temporary measure,throw off,throw together,toss off,toss out,tripped up,unarranged,unbegun,unconcocted,uncontrived,undeliberated,undevised,unfitness,unfittedness,unforced,unhatched,unmade,unmanufactured,unorganized,unplanned,unpremeditated,unprepared,unpreparedness,unprimed,unqualification,unqualifiedness,unreadiness,unready,unrehearsed,unstudied,unsuitability,unsuitableness,unsuitedness,vamp,vulnerability,whip up,whomp up,wing it,without coercion 268 - adage,ana,analects,aphorism,apothegm,axiom,byword,catchword,collected sayings,current saying,dictate,dictum,distich,epigram,expression,gnome,golden saying,maxim,moral,mot,motto,oracle,phrase,pithy saying,precept,prescript,proverb,proverbial saying,proverbs,saw,saying,sentence,sententious expression,sloka,stock saying,sutra,teaching,text,verse,wisdom,wisdom literature,wise saying,witticism,word,words of wisdom 269 - adagio,a poco,adagietto,allargando,allegretto,allegro,andante,andantino,calando,crescendo,decrescendo,diminuendo,forte,fortissimo,larghetto,larghissimo,largo,legato,lento,marcando,pianissimo,piano,pizzicato,prestissimo,presto,rallentando,ritardando,ritenuto,scherzando,scherzo,spiccato,staccato,stretto 270 - adamant,adamantine,at a standstill,cast-iron,dour,firm,flintlike,flinty,frozen,granitelike,granitic,grim,hard,hard-core,immobile,immotile,immotive,immovable,immutable,implacable,impliable,inductile,inelastic,inexorable,inextensible,inextensile,inextensional,inflexible,intractable,intractile,intransigent,iron,irreconcilable,irremovable,irresilient,lithic,marblelike,nonelastic,nonstretchable,obdurate,pat,petrified,petrogenic,relentless,rigid,rigorous,rock,rock-ribbed,slaty,standpat,stationary,steely,stern,stiff,stone,stubborn,unaffected,unalterable,unbending,unchangeable,uncompromising,unextendible,unextensible,unflexible,ungiving,unlimber,unmalleable,unmovable,unmoved,unmoving,unpliable,unpliant,unrelenting,unswayable,untractable,unyielding 271 - adapt,acclimate,acclimatize,accommodate,accommodate with,accord,accustom,adapt to,adjust,adjust to,agree with,alter,ameliorate,arrange,assimilate,assimilate to,attune,be guided by,bend,better,break,break in,break up,capacitate,case harden,change,chime in with,comply,comply with,compose,condition,confirm,conform,convert,coordinate,correct,correspond,cut to,deform,denature,discipline,diversify,domesticate,domesticize,enable,equalize,equip,establish,fall in with,familiarize,fashion,fit,fix,follow,furnish,gear to,gentle,go by,habituate,harden,harmonize,homologate,homologize,housebreak,improve,instrument,instrumentate,inure,key to,make an adaptation,make conform,make plumb,make uniform,measure,meet,meliorate,melodize,mitigate,modify,modulate,mold,musicalize,mutate,naturalize,observe,orchestrate,orient,orient the map,orientate,overthrow,proportion,put in trim,put in tune,put to music,quadrate,qualify,re-create,realign,rebuild,reconcile,reconstruct,rectify,redesign,refit,reform,regulate,remake,remodel,renew,reshape,restructure,revamp,revive,right,ring the changes,rub off corners,score,season,set,set right,set to music,settle,shape,shift the scene,shuffle the cards,similarize,square,straighten,subvert,suit,sync,synchronize,tailor,tally with,tame,temper,train,transcribe,transpose,trim to,true,true up,tune,turn the scale,turn the tables,turn the tide,turn upside down,vary,wont,work a change,worsen,write,yield 272 - adaptable,able to adapt,accessible,accommodative,acquiescent,adaptive,adjustable,all-around,alterable,alterative,ambidextrous,amphibious,at hand,available,bendable,bending,bouncy,buoyant,changeable,checkered,complaisant,compliant,conformable,convenient,ductile,elastic,ever-changing,extensible,extensile,fabricable,facile,feasible,fictile,flexible,flexile,flexuous,fluid,foolproof,formable,formative,generally capable,giving,handy,impermanent,impressible,impressionable,kaleidoscopic,like putty,limber,lissome,lithe,lithesome,lively,malleable,manageable,maneuverable,many-sided,metamorphic,mobile,modifiable,moldable,movable,mutable,nonuniform,obedient,of all work,on call,on deck,on hand,on tap,other-directed,permutable,plastic,pliable,pliant,practical,protean,proteiform,ready,receptive,resilient,resourceful,responsive,rubbery,sensitive,sequacious,shapable,springy,stretch,stretchable,stretchy,submissive,supple,susceptible,to hand,tractable,tractile,transient,transitory,two-handed,untroublesome,variable,versatile,whippy,wieldable,wieldy,willowy,yielding 273 - adaptation,Nachtmusik,about-face,absolute music,accommodation,accord,accordance,acquiescence,adaption,adjusting,adjustment,agreement,air varie,aleatory,aleatory music,alignment,alteration,amelioration,apostasy,arrangement,assimilation,attunement,bearings,betterment,biological evolution,break,chamber music,chamber orchestra,change,change of heart,changeableness,coaptation,compliance,composition,conditioning,conformance,conformation other-direction,conformity,congruity,consistency,constructive change,continuity,conventionality,conversion,coordination,correspondence,defection,degeneration,degenerative change,descant,deterioration,deviation,difference,discontinuity,disorientation,divergence,diversification,diversion,diversity,electronic music,enablement,equipment,etude,exercise,fit,fitting,flexibility,flip-flop,furnishing,genesis,gradual change,harmonization,harmony,horotely,improvement,incidental music,instrumental music,instrumentation,integration,intonation,invention,keeping,line,malleability,melioration,mitigation,modification,modifying,modulation,natural selection,nocturne,obedience,observance,ontogenesis,ontogeny,opus,orchestration,orientation,orthodoxy,overthrow,phrasing,phylogenesis,phylogeny,physiogenesis,physiogeny,piece,pliancy,preparation,production,program music,qualification,radical change,re-creation,realignment,reconcilement,reconciliation,redesign,reform,reformation,regulation,remaking,renewal,reshaping,resolution,restructuring,reversal,revival,revivification,revolution,ricercar,score,setting,shift,solution,sonata,sonatina,squaring,strictness,string orchestra,string quartet,study,sudden change,suiting,suspension,switch,synchronization,tachytely,theme and variations,timing,tone painting,total change,traditionalism,transcription,transition,trio,tuning,turn,turnabout,uniformity,upheaval,variation,variety,violent change,work,worsening 274 - adapted,a propos,able,acclimated,acclimatized,accommodated,accommodated to,according to,accustomed,ad rem,adapted to,adjusted,adjusted to,after,agreeable to,agreeably to,answerable to,applicable,apposite,appropriate,apropos,apt,becoming,befitting,by,capable,case-hardened,checked out,competent,conditioned,conformable,conformable to,congruent with,consistent with,dovetailing,experienced,familiarized,felicitous,fit,fitted,fitting,geared,happy,hardened,in accordance with,in agreement with,in compliance with,in conformity with,in correspondence to,in harmony with,in keeping with,in line with,in lock-step with,in obedience to,in step with,in uniformity with,inured,just right,likely,matched,meshing,naturalized,on the button,opportune,orientated,oriented,pat,per,proficient,proper to,qualified,relevant,right,run-in,seasonable,seasoned,sortable,suitable,suitable for,suited,suiting,tailored,to the point,to the purpose,trained,uniform with,used to,well-fitted,well-qualified,well-suited,wont,wonted 275 - add to,aggrandize,amplify,augment,bloat,blow up,boost,broaden,build,build up,bulk,bulk out,crescendo,develop,dilate,distend,enlarge,exalt,expand,extend,fatten,fill out,fortify,hike,hike up,huff,increase,inflate,jack up,jump up,lengthen,magnify,maximize,parlay,puff,puff up,pump,pump up,put up,pyramid,raise,rarefy,recruit,reinforce,strengthen,stretch,sufflate,supplement,swell,thicken,up,widen 276 - add up,add up to,aggregate,aggregate to,amount to,be OK,be correct,be just right,be right,cast up,cipher up,come,come to,comprise,compute,contain,count up,detail,figure up,foot up,inventory,itemize,mount up to,number,recap,recapitulate,recite,reckon up,reckon up to,recount,rehearse,relate,run into,run to,score up,sum,sum up,summarize,summate,tally,tally up,tot,tot up,tot up to,total,total up,tote,tote up,tote up to,unitize 277 - add,adjoin,affix,agglutinate,algebraize,amalgamate,annex,append,assimilate,attach,augment,blend,burden,calculate,cast,cipher,clutter,coalesce,combine,come together,complicate,compound,comprise,compute,conjoin,connect,consolidate,cumber,decorate,divide,dope out,embody,encompass,encumber,enlarge,estimate,extract roots,fasten,figure,figure in,figure out,flux,foot,fuse,glue on,hitch on,include,incorporate,increase,infix,integrate,interblend,interfuse,join,join with,lump together,make one,measure,meld,melt into one,merge,mix,multiply,ornament,paste on,plus,postfix,prefix,put together,put with,reckon,reembody,roll into one,saddle,saddle with,score,shade into,slap on,solidify,subjoin,subtract,suffix,sum,summate,superadd,superimpose,superpose,syncretize,syndicate,synthesize,tack on,tag,tag on,take account of,take on,tally,tot,total,tote,unify,unite,unite with,work out 278 - addendum,PS,Parthian shot,accession,accessory,accident,accidental,accompaniment,addenda,additament,addition,additive,additory,additum,adjunct,adjuvant,afterthought,annex,annexation,appanage,appendage,appendant,appendix,appurtenance,appurtenant,attachment,augment,augmentation,auxiliary,back matter,chorus,coda,codicil,collateral,colophon,complement,conclusion,concomitant,consequence,contingency,contingent,continuance,continuation,corollary,double take,dying words,envoi,epilogue,extension,extra,extrapolation,fixture,follow-through,follow-up,happenstance,incidental,increase,increment,inessential,last words,mere chance,nonessential,not-self,offshoot,other,parting shot,pendant,peroration,postface,postfix,postlude,postscript,refrain,reinforcement,rider,second thought,secondary,sequel,sequela,sequelae,sequelant,sequent,sequitur,side effect,side issue,subscript,subsidiary,suffix,superaddition,supplement,swan song,tag,tailpiece,undergirding,unessential 279 - addict,LSD user,acidhead,address,adherent,adjust,admirer,aficionado,alcoholic,apply,aspirant,aspirer,bias,buff,bug,candidate,chain smoker,cocaine sniffer,cokie,collector,coveter,cubehead,demon,desirer,devotee,dipsomaniac,direct,dispose,dope fiend,doper,drug abuser,drug addict,drug user,drunkard,eager beaver,energumen,enthusiast,faddist,fan,fanatic,fancier,fiend,follower,freak,glue sniffer,great one for,groupie,habitual,habitue,hankerer,head,heavy smoker,hobbyist,hopeful,hophead,hound,hype,incline,infatuate,junkie,lover,marijuana smoker,methhead,narcotics addict,nut,pillhead,pothead,predispose,pursuer,putterer,rhapsodist,snowbird,solicitant,speed freak,sucker for,suitor,supporter,take to,tripper,user,visionary,votary,wanter,wisher,yearner,zealot 280 - addiction,a habit,acquired tolerance,acute alcoholism,addictedness,alcoholism,amphetamine withdrawal symptoms,barbiturate addiction,barbiturism,chain smoking,chronic alcoholism,cocainism,crash,craving,dependence,dipsomania,drug addiction,drug culture,drug dependence,habituation,nicotine addiction,physical dependence,psychological dependence,tolerance,withdrawal sickness,withdrawal symptoms 281 - adding machine,Comptometer,abacus,adding,analog computer,arithmograph,arithmometer,calculating machine,calculator,cash register,computation,counter,difference engine,digital computer,electronic computer,listing machine,pari-mutuel machine,quipu,rule,slide rule,sliding scale,suan pan,tabulator 282 - addition,Anschluss,L,access,accession,accessory,accident,accidental,accompaniment,accord,accretion,accrual,accruement,accumulation,acquirement,acquisition,addenda,addendum,adding,additament,additionally,additive,additory,additum,adjunct,adjuvant,advance,affairs,affiliation,affinity,agglomeration,aggrandizement,aggregation,agreement,alliance,also,amalgamation,ampliation,amplification,annex,annexation,appanage,appendage,appendant,appendix,appreciation,approximation,appurtenance,appurtenant,as well,as well as,ascent,assemblage,assimilation,association,attachment,attainment,augment,augmentation,auxiliary,ballooning,besides,beyond,blend,blending,bloating,bond,boom,boost,broadening,buildup,cabal,cartel,centralization,closeness,coalescence,coalition,coda,collateral,combination,combine,combining,combo,coming by,complement,composition,concomitant,confederacy,confederation,congeries,conglomeration,conjugation,conjunction,connectedness,connection,consolidation,conspiracy,contiguity,contingency,contingent,continuation,contrariety,corollary,crescendo,dealings,deduction,deployment,development,differentiation,disjunction,dispersion,division,dragging down,earnings,ecumenism,edema,elevation,ell,embodiment,encompassment,enlargement,enosis,equation,evolution,expansion,extension,extra,extrapolation,fanning out,federalization,federation,filiation,fixture,flare,flood,furthermore,fusion,gain,gaining,getting,getting hold of,greatening,growth,gush,happenstance,hike,hiking,homology,hookup,in addition,in addition to,incidental,inclusion,incorporation,increase,increment,inessential,inflation,integration,intercourse,interpolation,intimacy,into the bargain,inversion,involution,joining,jump,junction,junta,league,leap,liaison,link,linkage,linking,magnification,making,marriage,meld,melding,mere chance,merger,moneygetting,moneygrubbing,moneymaking,moreover,mounting,multiplication,mutual attraction,nearness,nonessential,not-self,notation,obtainment,obtention,offshoot,other,over and above,package,package deal,pendant,practice,procural,procurance,procuration,procurement,productiveness,proliferation,propinquity,proportion,proximity,putting together,raise,raising,rapport,reckoning,reduction,reinforcement,relatedness,relation,relations,relationship,rider,rise,secondary,securement,side effect,side issue,similarity,snowballing,solidification,splay,spread,spreading,subsidiary,subtraction,summation,summing-up,superaddition,supplement,surge,swelling,sympathy,syncretism,syndication,syneresis,synthesis,tailpiece,tie,tie-in,tie-up,to boot,too,transformation,trover,tumescence,undergirding,unessential,unification,union,uniting,up,upping,upsurge,upswing,uptrend,upturn,waxing,wedding,widening,wing,winning 283 - additional,accessory,accidental,accumulative,added,additive,additory,adscititious,adventitious,ancillary,another,appurtenant,ascititious,auxiliary,casual,circumstantial,collateral,contingent,contributory,cumulative,else,extra,farther,fortuitous,fresh,further,incidental,inessential,more,new,nonessential,other,plus,renewed,secondary,spare,subsidiary,summational,summative,superadded,superfluous,supernumerary,supervenient,supplemental,supplementary,surplus,ulterior,unessential 284 - additive,accession,accessory,accompaniment,accumulative,addenda,addendum,additament,addition,additional,additory,additum,adjunct,adjuvant,annex,annexation,appanage,appendage,appendant,appurtenance,appurtenant,attachment,augment,augmentation,chain,coda,complement,component,concomitant,constituent,continuation,corollary,cumulative,elemental,extension,extrapolation,fixture,increase,increment,offshoot,pendant,reinforcement,side effect,side issue,summational,summative,supplement,tailpiece,undergirding 285 - addle,addle the wits,amaze,astound,baffle,ball up,bamboozle,beat,becloud,bedazzle,befuddle,bemuse,besot,bewilder,boggle,bother,buffalo,bug,cloud,confound,confuse,daze,dazzle,discombobulate,discomfit,discompose,disconcert,disorganize,disorient,distract,disturb,dumbfound,embarrass,entangle,flabbergast,floor,flummox,flurry,fluster,flutter,fog,fuddle,fuss,get,inebriate,intoxicate,keep in suspense,lick,maze,mist,mix up,moider,muddle,mystify,nonplus,perplex,perturb,pother,put out,puzzle,raise hell,rattle,ruffle,stick,stump,throw,throw into confusion,throw off,unsettle,upset 286 - addled,addlebrained,addleheaded,addlepated,at a loss,baffled,bamboozled,beat,beclouded,beery,befuddled,bemused,besotted,blear-witted,blind drunk,buffaloed,cloudy,confounded,crapulent,crapulous,dazed,dizzy,drenched,drunk,drunken,far-gone,floored,flustered,fogged,foggy,fou,fuddlebrained,fuddled,full,gay,giddy,glorious,happy,hazy,in a dilemma,in a fog,in a muddle,in liquor,in suspense,inebriate,inebriated,inebrious,intoxicated,jolly,licked,maudlin,mellow,merry,misted,misty,muddled,muddleheaded,muddybrained,muzzy,mystified,nappy,nonplussed,on tenterhooks,perplexed,puzzled,puzzleheaded,reeling,scramblebrained,shikker,sodden,sotted,stuck,stumped,thrown,tiddly,tipsy,under the influence 287 - addlepate,addlebrain,addlehead,beefhead,blockhead,blubberhead,blunderhead,bonehead,bufflehead,cabbagehead,chowderhead,chucklehead,clodhead,clodpate,clodpoll,dolthead,dullhead,dumbhead,dunderhead,dunderpate,fathead,jolterhead,jughead,knucklehead,lunkhead,meathead,muddlehead,mushhead,muttonhead,noodlehead,numskull,peabrain,pinbrain,pinhead,puddinghead,pumpkin head,puzzlehead,stupidhead,thickhead,thickskull,tottyhead 288 - addlepated,addlebrained,addled,addleheaded,beclouded,befuddled,blear-witted,cloudy,dizzy,fogged,foggy,fuddlebrained,fuddled,hazy,in a fog,in a muddle,misted,misty,muddled,muddleheaded,muddybrained,muzzy,puzzleheaded,scramblebrained 289 - address book,Domesday Book,account book,adversaria,album,annual,appointment calendar,appointment schedule,blankbook,blotter,calendar,cashbook,catalog,classified catalog,commonplace book,court calendar,daybook,desk calendar,diary,diptych,docket,engagement book,journal,ledger,log,logbook,loose-leaf notebook,memo book,memorandum book,memory book,notebook,pad,petty cashbook,pocket notebook,pocketbook,police blotter,scrapbook,scratch pad,spiral notebook,table,tablet,triptych,workbook,writing tablet,yearbook 290 - address,Parthian shot,abiding place,ability,abode,accost,action,actions,activity,acts,address,adduce,adeptness,adroitness,advance,affability,affectation,affirmation,after-dinner speech,aim,air,airmanship,allegation,allege,allocution,angle for,animadvert,answer,apostrophe,apostrophize,appeal to,application,apply,apply to,approach,artfulness,artisanship,artistry,asking,assertion,associate,attend,averment,bearing,beau,behavior,behavior pattern,behavioral norm,behavioral science,bend,bespeak,bid for,bid good day,bid good morning,billhead,bob,bow,bow to,bravura,brilliance,buckle down,buttonhole,call to,cantonment,canvass,capability,capacity,carriage,cast,chalk talk,chase,cite,cleverness,command,comment,commentate,competence,comportment,conduct,connect,consign,control,converse,coordination,couple,court,crack,craft,craftsmanship,crash pad,crib,culture pattern,cunning,curtsy,custom,debate,declamation,declaration,deftness,deliver an address,demand,demeanor,deportment,desire,destination,devote,dexterity,dexterousness,dextrousness,diatribe,dictum,diplomacy,direct,direction,discourse,dispatch,document,doing,doings,domicile,domus,dwelling,dwelling place,ease,efficiency,embrace,escort,esquire,eulogy,exchange greetings,exclamation,exemplify,exhortation,expertise,expressed desire,expression,facility,filibuster,finesse,fish for,folkway,follow,forensic,forensic address,formal speech,forward,funeral oration,gestures,give,give a talk,goings-on,grace,graciousness,greet,greeting,grip,guise,habitation,hail,halloo,hand-clasp,handiness,handshake,harangue,hello,horsemanship,hortatory address,how-do-you-do,hug,illustrate,impetration,inaugural,inaugural address,incline,indent,ingeniousness,ingenuity,interjection,invective,invoke,jeremiad,kiss,kiss hands,know-how,lay,lay siege to,lecture,letterhead,level,lift the hat,link,location,lodging,lodging place,lodgment,look for,maintien,make suit to,make up to,manner,manners,marksmanship,mastership,mastery,memorialize,mention,method,methodology,methods,mien,modus vivendi,motions,movements,moves,name and address,neck,nest,nod,nod to,note,observable behavior,observation,offer,oration,pad,pattern,pay addresses to,pay attention to,pay court to,pep talk,peroration,pet,petition,philippic,phrase,pitch,place,place to live,platform,point,poise,pop the question,port,pose,position,postal zone,posture,practical ability,practice,praxis,prefer,prelect,prepared speech,prepared text,presence,present,procedure,proceeding,proffer,proficiency,pronouncement,propose,prowess,public speech,pull the forelock,pursue,question,quickness,readiness,reading,recital,recitation,reflection,relate,remark,remit,request,requisition,residence,resource,resourcefulness,romance,roof,route,run after,rush,sales talk,salutation,salutatory,salutatory address,salute,savoir faire,savoir-faire,savvy,say,say hello,saying,screed,seamanship,seat,seek,sentence,serenade,sermon,set,set speech,shake,shake hands,ship,skill,skillfulness,sleight,smile,smile of recognition,smooch,soapbox,social science,solicit,spark,speak,speak fair,speak to,speech,speechification,speechify,speeching,spoon,squire,statement,stump,style,subjoinder,submit,sue,sue for,suggest,superscribe,superscription,swain,sweetheart,tact,tactfulness,tactics,take aside,take the floor,take the stump,talk,talk to,talkathon,tax,technical brilliance,technical mastery,technical skill,technique,tender,thought,throw,timing,tirade,tone,touch the hat,train,transmit,turn,uncover,utterance,valediction,valedictory,valedictory address,virtuosity,wave,way,way of life,ways,whereabouts,wish,wit,wizardry,woo,word,workmanship,zip code,zone 291 - addressee,accepter,acquirer,artist-in-residence,audience,auditor,beholder,communicator,consignee,correspondent,denizen,dweller,getter,habitant,hearer,holder,house detective,incumbent,inhabitant,inhabiter,inmate,inpatient,intern,letter writer,listener,live-in maid,locum tenens,looker,obtainer,occupant,occupier,payee,pen pal,procurer,receiver,recipient,residencer,resident,resident physician,residentiary,resider,sojourner,spectator,taker,tenant,trustee,viewer,writer 292 - adduction,affinity,allurement,attractance,attraction,attractiveness,attractivity,capillarity,capillary attraction,centripetal force,drag,draw,gravitation,gravity,magnetism,mutual attraction,pull,pulling power,sympathy,traction,tug 293 - adept,Admirable Crichton,Daedalian,able,accomplished,adept in,adroit,anthroposophist,apt,artisan,artist,artistic,at home in,attache,authoritative,authority,bravura,brilliant,cabalist,clean,clever,connaisseur,connoisseur,consultant,coordinated,cordon bleu,crack,crack shot,crackerjack,craftsman,cunning,cute,dabster,daedal,dead shot,deft,dexterous,dextrous,diplomat,diplomatic,diplomatist,elder statesman,esoteric,excellent,experienced hand,expert,expert at,expert consultant,fancy,good,good at,goodish,graceful,graduate,handy,handy at,handy man,ingenious,journeyman,magisterial,mahatma,marksman,master,master of,masterful,masterly,mystagogue,mystic,neat,no mean,no slouch,old hand,past master,polished,politic,politician,pro,professional,professor,proficient,proficient in,quick,quite some,ready,resourceful,savant,shark,sharp,skilled,skilled in,skillful,slick,some,specialist,statesman,statesmanlike,strong in,stylish,supernaturalist,tactful,technical adviser,technician,the compleat,the complete,theosophist,transcendentalist,up on,versed,versed in,virtuoso,well up on,well-done,well-versed,whiz,wizard,workmanlike,yogi,yogin,yogist 294 - adequate,OK,able,acceptable,admissible,all right,ample,average,barely sufficient,better than nothing,capable,comfortable,commensurate,common,competent,corresponding,decent,due,effective,effectual,efficacious,efficient,enough,equal,equal to,fair,fair to middling,fairish,fit,fitted,fitting,good,good enough,goodish,middling,minimal,minimum,moderate,no great shakes,not amiss,not bad,not half bad,not so bad,okay,passable,plenty,plenty good enough,presentable,pretty good,productive,proficient,proper,proportionable,proportionate,qualified,respectable,satisfactory,satisfying,so so,substantial,sufficient,sufficient for,sufficing,suitable,suited,tidy,tolerable,unexceptionable,unexceptional,unimpeachable,unobjectionable,up,up to,up to snuff,workmanlike 295 - adhere to,abide by,act up to,administer,attend to,be faithful to,bite,carry out,carry through,clasp,cleave to,clench,clinch,cling,clip,clutch,complete,comply with,conform to,discharge,do justice to,effect,effectuate,embrace,enforce,execute,fill,fill out,follow,freeze to,fulfill,grapple,grasp,grip,gripe,hang on,hang on to,heed,hold,hold by,hold fast,hold on,hold on to,hold tight,honor,hug,implement,keep,keep faith with,keep hold of,live up to,make,make good,make out,meet,never let go,nip,observe,promulgate,prosecute,put in force,put through,regard,render,respect,satisfy,stick to,transact 296 - adhere,agglomerate,bunch,clasp,cleave,clinch,cling,cling to,clot,cluster,coagulate,cohere,combine,come together,communicate,congeal,conglomerate,connect,converge,embrace,freeze to,grasp,grow together,hang on,hang together,hold,hold on,hold together,hug,intercommunicate,join,knit,link,mass,meet,merge,persist,set,solidify,stay,stay put,stick,stick together,take hold of,unite 297 - adherence,OK,acceptance,accordance,accretion,acquittal,acquittance,adhesion,admiration,agglomeration,agglutination,allegiance,approbation,approval,attachment,blessing,bona fides,bond,bonne foi,care,carrying out,cling,clinging,clotting,clustering,coagulation,coherence,cohesion,cohesiveness,compaction,compliance,concretion,condensation,conformance,conformity,congealment,congelation,conglobation,conglomeration,consolidation,constancy,countenance,devotedness,devotion,discharge,endorsement,esteem,execution,faith,faithfulness,favor,favorable vote,fealty,fidelity,firmness,fulfillment,good faith,heed,heeding,homage,inseparability,junction,keeping,loyalty,nod,observance,observation,performance,practice,respect,sanction,satisfaction,seal of approval,set,setting,solidification,stamp of approval,staunchness,steadfastness,sticking,tie,troth,true blue,trueness,voice,vote,yea,yea vote 298 - adherent,Averroist,Berkeleian,Cartesian,Comtist,Cynic,Cyrenaic,Eleatic,Epicurean,Eretrian,Fichtean,Hegelian,Heideggerian,Heraclitean,Herbartian,Humist,Husserlian,Kantian,Kierkegaardian,Leibnizian,Marxist,Megarian,Neo-Hegelian,Neo-Pythagorean,Neoplatonist,Parmenidean,Peripatetic,Platonist,Pyrrhonist,Pythagorean,Sartrian,Scholastic,Scotist,Socratist,Sophist,Spencerian,Spinozist,Stoic,Thomist,Wittgensteinian,adhesive,agnostic,animist,appendage,applauder,appreciator,attendant,backer,barnacle,booster,bramble,brier,buff,bulldog,burr,cavaliere servente,cement,champion,claqueur,cohort,commender,cosmotheist,courtier,creature,dangler,decal,decalcomania,deist,dependent,dialectical materialist,disciple,dualist,dummy,eclectic,egoist,empiricist,encomiast,essentialist,eulogist,eulogizer,existentialist,extoller,fan,figurehead,flunky,follower,following,gillie,glue,goon,gunk,hanger-on,hedonist,heeler,henchman,homme de cour,humanist,hylomorphist,hylotheist,hylozoist,idealist,immaterialist,individualist,intuitionist,jackal,lackey,lauder,leech,limpet,logical empiricist,man,materialist,mechanist,mentalist,minion,molasses,monist,mucilage,myrmidon,mystic,naturalist,nominalist,ontologist,organic mechanist,organicist,panegyrist,panpsychist,pantheist,parasite,partisan,paste,physicist,plaster,plugger,positivist,pragmatist,praiser,prickle,promoter,psychist,public,puffer,puppet,pursuer,pursuivant,rationalist,realist,remora,retainer,rooter,satellite,sectary,secular humanist,sensationalist,sensist,servant,shadow,skeptic,sticker,stooge,substantialist,successor,supporter,sycophant,syncretist,syrup,tagtail,tail,theist,thorn,thug,tout,touter,trainbearer,transcendentalist,upholder,utilitarian,vitalist,voluntarist,votary,ward heeler,zetetic 299 - adhesive tape,Ace bandage,Band-Aid,Mystik tape,Scotch tape,application,band,bandage,bandaging,batten,belt,binder,brace,cast,cataplasm,cellophane tape,cloth tape,compress,cotton,court plaster,cravat,dressing,elastic bandage,epithem,fascia,fillet,four-tailed bandage,friction tape,gauze,girdle,lath,ligula,ligule,lint,list,masking tape,plank,plaster,plaster cast,plastic tape,pledget,poultice,ribband,ribbon,roller,roller bandage,rubber bandage,shred,slat,sling,slip,spill,spline,splint,sponge,strake,strap,strip,strop,stupe,taenia,tampon,tape,tape measure,tapeline,tent,ticker tape,tourniquet,triangular bandage 300 - adhesive,adherent,affixation,amylaceous,annexation,attachment,barnacle,binding,birdlime,bond,bramble,brier,bulldog,bulldogged,bulldoggish,bulldoggy,bullheaded,burr,cement,clabbered,clammy,clasping,clingy,clotted,coagulated,curdled,decal,decalcomania,doughy,fastener,fastening,fish glue,gaumy,gelatinous,girding,glairy,glue,gluelike,gluey,gluten,glutenous,glutinose,glutinous,gooey,grumous,gum,gumbo,gumbolike,gumlike,gummous,gummy,gunk,heavy,hooking,inspissated,jelled,jellied,jellylike,knot,lashing,leech,library paste,ligation,lime,limpet,lute,mastic,molasses,mucilage,mucilaginous,obstinate,paste,pasty,persistent,plaster,prickle,putty,remora,ropy,rubber cement,sealing wax,self-adhesive,size,slabby,slimy,slithery,solder,splice,starchy,stickable,sticker,sticking,sticky,stodgy,stringy,stubborn,syrup,syrupy,tacky,tenacious,thick,thickened,thorn,tieing,tough,tremelloid,tremellose,viscid,viscose,viscous,wafer,zipping 301 - adieu,Godspeed,aloha,by,bye-bye,conge,doch-an-dorrach,farewell,good-bye,leave,leave-taking,parting,parting words,send-off,so long,stirrup cup,valediction,valedictorian,valedictory,valedictory address,viaticum 302 - adipose,beefy,big-bellied,bloated,blowzy,blubbery,bosomy,brawny,burly,buttery,butyraceous,buxom,chrismal,chrismatory,chubby,chunky,corpulent,distended,dumpy,fat,fattish,fatty,fleshy,full,greasy,gross,heavyset,hefty,hippy,imposing,lardaceous,lardy,lusty,meaty,mucoid,obese,oily,oleaginous,oleic,overweight,paunchy,plump,podgy,portly,potbellied,pudgy,puffy,pursy,rich,roly-poly,rotund,sebaceous,sleek,slick,slippery,smooth,soapy,square,squat,squatty,stalwart,stocky,stout,strapping,suety,swollen,tallowy,thick-bodied,thickset,top-heavy,tubby,unctuous,unguent,unguentary,unguentous,well-fed 303 - adit,access,admission,admittance,air lock,approach,channel,conduit,corridor,course,ditch,duct,egress,entrance,entranceway,entree,entry,entryway,exit,gangplank,gangway,hall,in,ingress,inlet,intake,means of access,opening,passage,passageway,trench,trough,troughing,troughway,tunnel,vestibule,way,way in 304 - adjacent,abutting,adjoining,attached,bordering,close-by,closest,connected,connecting,consecutive,conterminous,contiguous,coterminous,end to end,endways,endwise,face to face,handy,immediate,joined,juxtaposed,juxtapositional,juxtapositive,linked,nearby,nearest,neighbor,neighboring,next,successive,touching 305 - adjective,adjectival,adverb,adverbial,adversative conjunction,attributive,conjunction,conjunctive adverb,coordinating conjunction,copulative,copulative conjunction,correlative conjunction,disjunctive,disjunctive conjunction,exclamatory noun,form class,form word,function class,gerundive,interjection,part of speech,participle,particle,past participle,perfect participle,preposition,present participle,subordinating conjunction,verbal adjective 306 - adjoin,abut,abut on,add,affix,agglutinate,annex,append,appose,attach,be contiguous,be in contact,befringe,bind,border,border on,bound,bring near,burden,butt,communicate,complicate,conjoin,connect,decorate,edge,encumber,end,enframe,frame,fringe,glue on,hem,hitch on,infix,join,join with,juxtapose,juxtaposit,lap,lie by,line,list,march,marge,margin,marginate,meet,neighbor,ornament,paste on,plus,postfix,prefix,purfle,purl,put with,rim,run into,saddle with,set off,side,skirt,slap on,stand by,subjoin,suffix,superadd,superpose,tack on,tag,tag on,touch,trim,unite with,verge,verge upon 307 - adjoining,abutting,adjacent,bordering,connecting,conterminous,contiguous,coterminous,end to end,endways,endwise,face to face,immediate,joined,juxtaposed,juxtapositional,juxtapositive,neighbor,neighboring,next,next to,touching 308 - adjourn,break up,close,continue,curb,defer,delay,disband,discontinue,disperse,dissolve,drag out,extend,hang fire,hang up,hold back,hold off,hold over,hold up,lay aside,lay by,lay over,pigeonhole,postpone,prolong,prorogate,prorogue,protract,push aside,put aside,put off,put on ice,recess,reserve,restrain,rise,set aside,set by,shelve,shift off,sleep on,stand over,stave off,stay,stretch out,suspend,table,take a recess,terminate,waive 309 - adjudicate,account,adjudge,allow,arbitrate,be judicious,consider,count,deem,esteem,exercise judgment,express an opinion,form an opinion,hold,judge,pine,presume,referee,regard,suppose,think of,unique 310 - adjunct,accession,accessory,accident,accidental,accord,accretion,addendum,addition,adjunction,adornment,affairs,affiliation,affinity,affix,affixation,agglutination,aggrandizement,alliance,ally,ampliation,amplification,annexation,appanage,appendage,appendix,approximation,appurtenance,arrangement,aspect,assemblage,associate,association,attachment,attendant,augmentation,auxiliary,bedfellow,bond,broadening,brother,brother-in-arms,circumstance,closeness,coadjutor,cohort,collateral,colleague,color,color patterns,combination,companion,compatriot,compeer,component,comrade,concomitant,confederate,confrere,connectedness,connection,consociate,consort,constituent,contents,contiguity,contingency,contingent,contrariety,corollary,crescendo,crony,cross section,dealings,decor,decoration,deduction,deployment,detachment,detail,disjunction,dispersion,division,dole,elaboration,element,embellishment,emblazonment,emblazonry,embroidery,enlargement,expansion,extension,extra,factor,fanning out,feature,fellow,fellow member,filiation,fixings,fixture,flare,flourish,flower arrangement,fraction,furniture arrangement,garnish,garnishment,garniture,happenstance,hiking,homology,illumination,incidental,increase,inessential,ingredient,installment,integrant,intercourse,intimacy,item,joining,junction,juxtaposition,liaison,link,linkage,linking,magnification,makings,mere chance,mutual attraction,nearness,nonessential,not-self,ornament,ornamentation,other,parcel,part,part and parcel,particular,percentage,portion,prefixation,propinquity,proximity,quadrant,quarter,quota,raising,random sample,rapport,reinforcement,relatedness,relation,relations,relationship,remainder,sample,sampling,secondary,section,sector,segment,share,similarity,specialty,splay,spread,spreading,subdivision,subgroup,subsidiary,subspecies,suffixation,superaddition,superfetation,superjunction,superposition,supplement,supplementation,sympathy,tie,tie-in,trim,trimming,unessential,union,uniting,upping,widening,window dressing 311 - adjure,administer an oath,appeal,appeal to,beg,beseech,call for help,call on,call upon,clamor for,conjure,crave,cry for,cry on,cry to,entreat,impetrate,implore,imprecate,invoke,kneel to,obtest,plead,plead for,pray,put under oath,put upon oath,run to,supplicate,swear,swear in 312 - adjust,abate,accept,acclimate,acclimatize,accommodate,accommodate with,accord,accustom,adapt,adapt to,addict,adjust,adjust to,agree with,alter,ameliorate,arbitrate,arrange,arrange matters,assimilate,assimilate to,assuage,attune,balance,be guided by,bend,better,box in,break,break in,break up,bring to terms,bring together,bulk,button up,cancel,capacitate,case harden,change,chart,chime in with,circumscribe,close,close up,close with,codify,compensate,comply,comply with,compose,compound,compromise,conclude,condition,condone,confirm,conform,convert,coordinate,cop out,correct,correspond,countenance,counterbalance,counterpoise,countervail,cut to,deform,denature,diminish,discipline,diversify,domesticate,domesticize,duck responsibility,enable,enlarge,equalize,equate,equip,establish,evade responsibility,even,even up,fall in with,familiarize,fasten up,fit,fix,fix up,follow,furnish,gauge,gear to,gentle,get used to,give and take,give way,go by,go fifty-fifty,grade,graduate,grin and abide,group,habituate,harden,harmonize,heal the breach,hedge,hedge about,homologate,homologize,housebreak,improve,integrate,inure,key to,leaven,let go by,let pass,level,limit,make a deal,make an adjustment,make concessions,make conform,make peace,make plumb,make right,make uniform,make up,match,measure,mediate,meet,meet halfway,meliorate,methodize,mitigate,moderate,modify,modulate,mold,mutate,narrow,naturalize,normalize,obey,observe,order,organize,orient,orient the map,orientate,overlook,overthrow,palliate,patch things up,patch up,plan,play politics,poise,proportion,put in order,put in trim,put in tune,put right,put to rights,quadrate,qualify,range,rank,rationalize,re-create,reach a compromise,realign,rearrange,rebuild,reconcile,reconstruct,rectify,redesign,redress,reduce,refit,reform,regularize,regulate,regulate by,remake,renew,reshape,resolve,restore harmony,restrain,restrict,restructure,reunite,revamp,revive,rig,right,ring the changes,rise above,routinize,rub off corners,season,set,set conditions,set limits,set right,set to rights,settle,settle differences,settle with,shape,shift the scene,shrug,shrug it off,shuffle the cards,similarize,size,smooth it over,soften,sort,split the difference,square,stabilize,standardize,steady,straighten,straighten out,strike a balance,strike a bargain,submit to,subvert,suit,surrender,sync,synchronize,systematize,tailor,take the mean,take to,tally with,tame,temper,train,trim,trim to,true,true up,tune,tune up,turn the scale,turn the tables,turn the tide,turn upside down,vary,weave peace between,wont,work a change,work out,worsen,yield,yield to,zip up 313 - adjustable,able to adapt,acquiescent,adaptable,adaptive,all-around,alterable,alterative,ambidextrous,amphibious,changeable,checkered,complaisant,compliant,conformable,ever-changing,flexible,fluid,generally capable,impermanent,kaleidoscopic,malleable,many-sided,metamorphic,mobile,modifiable,movable,mutable,nonuniform,obedient,other-directed,permutable,plastic,pliant,protean,proteiform,resilient,resourceful,rubbery,submissive,supple,tractable,transient,transitory,two-handed,variable,versatile 314 - adjusted,able,acclimated,acclimatized,accommodated,accustomed,adapted,capable,case-hardened,checked out,competent,conditioned,experienced,familiarized,fit,fitted,hardened,inured,naturalized,orientated,oriented,proficient,qualified,run-in,seasoned,suited,trained,used to,well-fitted,well-qualified,well-suited,wont,wonted 315 - adjustment,abatement of differences,about-face,acclimation,acclimatization,accommodation,accord,accordance,accustoming,acquiescence,adaptation,adaption,adjusting,adjustive reaction,agreement,alignment,alteration,altering,amelioration,apostasy,arrangement,assimilation,attunement,bad condition,balance,bargain,bearings,betterment,break,breaking,breaking-in,calibrating,calibration,case hardening,change,change of heart,changeableness,charting,closing,coaptation,codification,compliance,composition,composition of differences,compromise,concession,conclusion,conditioning,conformance,conformation other-direction,conformity,congruity,consistency,constructive change,continuity,conventionality,conversion,coordination,cop-out,correcting,correction,correspondence,deal,defection,degeneration,degenerative change,desertion of principle,deterioration,deviation,difference,discontinuity,disorientation,divergence,diversification,diversion,diversity,domestication,enablement,equalization,equalizing,equating,equation,equilibration,equipment,evasion of responsibility,evening,evening up,familiarization,fettle,fit,fitting,flexibility,flip-flop,form,fulfillment,furnishing,give-and-take,giving way,good condition,gradual change,habituation,hardening,harmonization,harmony,housebreaking,improvement,integrated personality,integration,inurement,keeping,line,malleability,melioration,methodization,mitigation,modification,modulation,mutual concession,naturalization,normalization,obedience,observance,order,ordination,organization,orientation,orthodoxy,overthrow,planning,pliancy,psychosynthesis,qualification,radical change,rationalization,re-creation,readjustment,realignment,reconcilement,reconciliation,redesign,reform,reformation,regularization,regulating,regulation,rehabilitation,remaking,renewal,repair,reshaping,resolution,restructuring,reversal,revival,revivification,revolution,routinization,sealing,seasoning,setting,settlement,shape,shift,signature,signing,solemnization,squaring,strictness,sudden change,surrender,switch,synchronization,syntonic personality,systematization,taming,terms,timing,total change,traditionalism,training,transition,trim,tuning,turn,turnabout,understanding,uniformity,upheaval,variation,variety,violent change,worsening,yielding 316 - adjutant,acolyte,agent,aid,aide,aide-de-camp,aider,assistant,attendant,auxiliary,best man,coadjutant,coadjutor,coadjutress,coadjutrix,deputy,executive officer,help,helper,helpmate,helpmeet,lieutenant,paranymph,paraprofessional,second,servant,sideman,supporting actor,supporting instrumentalist 317 - adjuvant,accession,accessory,accompaniment,addenda,addendum,additament,addition,additive,additory,additum,adjunct,alterative,analeptic,ancillary,annex,annexation,appanage,appendage,appendant,appurtenance,appurtenant,assistant,assisting,attachment,augment,augmentation,auxiliary,carminative,coda,collateral,complement,concomitant,continuation,contributory,corollary,corrective,counterirritant,curative,emmenagogue,expectorant,extension,extrapolation,fixture,fostering,healing,helping,hormone,iatric,increase,increment,instrumental,maturative,medicative,medicinal,ministerial,ministering,ministrant,nurtural,nutricial,offshoot,pendant,reinforcement,remedial,restorative,sanative,sanatory,serving,side effect,side issue,subservient,subsidiary,supplement,synergistic,tailpiece,therapeutic,theriac,undergirding,vasodilator,vitamin 318 - administer to,attend,attend on,care for,chore,dance attendance upon,do for,do service to,drudge,help,lackey,look after,maid,minister to,pander to,serve,take care of,tend,upon,valet,wait,wait on,work for 319 - administer,abide by,accord,adhere to,administer justice,administrate,afford,allocate,allot,allow,apply,apportion,assign,award,be master,bestow,bestow on,captain,carry on,carry out,carry through,chair,chairman,command,communicate,complete,conduct,confer,consign,control,deal,deal out,deliver,direct,disburse,discharge,discipline,dish out,dispense,disperse,dispose,distribute,dole,dole out,donate,dose,dose with,effect,effectuate,enforce,enforce upon,execute,extend,fill out,force,force upon,fork out,fulfill,furnish,gift,gift with,give,give freely,give out,govern,grant,hand out,head,heap,help to,honor,impart,implement,inflict,issue,judge,lavish,lay on,lead,let have,make,make out,manage,measure out,mete,mete out,mete out to,observe,occupy the chair,offer,officer,officiate,oversee,parcel out,pass around,pay out,portion out,pour,prescribe for,present,preside,preside over,proffer,promulgate,prosecute,put in force,put on,put through,put upon,rain,ration,regulate,render,run,serve,share out,shell out,shower,sit in judgment,slip,snow,spoon out,stand over,strike,superintend,supervise,supply,tender,transact,vouchsafe,wield authority,yield 320 - administration,academic dean,accomplishment,achievement,administering,administrator,application,applying,archon,auspices,authority,bestowal,board,board of directors,board of regents,board of trustees,bureaucracy,cabinet,cadre,care,chancellor,charge,chief executive,chief executive officer,civil government,claws,clutches,command,command function,commission,completion,conduct,control,council,cure,custodianship,custody,dean,dean of men,dean of women,decision-making,delivery,direction,directorate,directory,disbursal,disbursement,discharge,discipline,dispatch,dispensation,dispersion,disposal,disposition,distribution,dole,doling,doling out,dominion,dosage,dosing,effectuation,empery,empire,enactment,enforcing,execution,executive,executive arm,executive committee,executive director,executive function,executive hierarchy,executive officer,executive secretary,forcing,forcing on,form of government,furnishing,giving,giving out,governance,governing board,governing body,government,grip,guardianship,guidance,hand,handling,hands,headmaster,headmistress,hierarchy,higher echelons,higher-ups,implementation,infrastructure,interlocking directorate,iron hand,issuance,jurisdiction,keeping,magistrate,management,managing director,master,meting out,ministry,officer,official,officialdom,officiation,oversight,passing around,pastorage,pastorate,pastorship,patronage,paying out,performance,perpetration,political organization,polity,power,prefect,prelacy,prescribing,president,prexy,principal,protectorship,provision,provost,raj,rector,regime,regimen,regnancy,regulation,reign,rule,ruling class,ruling classes,safe hands,secretary,sovereignty,steering committee,stewardship,superintendence,supervision,supplying,sway,system of government,talons,the Establishment,the administration,the authorities,the brass,the executive,the ingroup,the interests,the people upstairs,the power elite,the power structure,the top,them,they,top brass,transaction,treasurer,tutelage,vice-chancellor,vice-president,ward,warden,wardenship,wardship,watch and ward,wing 321 - administrator,academic dean,administration,agent,chancellor,conductor,dean,dean of men,dean of women,deputy,directeur,director,exec,governor,headmaster,headmistress,impresario,intendant,manager,master,officer,official,president,principal,producer,provost,rector,responsible person,supercargo,vice-chancellor 322 - admirable,adorable,angelic,awe-inspiring,beyond all praise,caressable,charming,commendable,creditable,cuddlesome,deserving,estimable,excellent,exemplary,fine,first-class,first-rate,great,kissable,laudable,likable,lovable,lovely,lovesome,magic,meritorious,model,praiseworthy,seraphic,smashing,splendid,superior,sweet,top-drawer,unexceptionable,well-deserving,winning,winsome,wonderful,worthy 323 - admiration,Amor,Christian love,Eros,OK,Platonic love,acceptance,account,adherence,adoration,affection,agape,amaze,amazement,apotheosis,appreciation,approbation,approval,ardency,ardor,astonishment,astoundment,attachment,awe,beguilement,bewilderment,blessing,bodily love,breathless adoration,breathless wonder,brotherly love,caritas,charity,conjugal love,consideration,countenance,courtesy,deference,deification,delight,desire,devotion,dumbfoundment,duty,ecstasy,endorsement,esteem,estimation,exaggerated respect,faithful love,fancy,fascination,favor,favorable vote,fervor,flame,fondness,free love,free-lovism,great respect,heart,hero worship,high regard,homage,honor,idolatry,idolism,idolization,lasciviousness,libido,like,liking,love,lovemaking,married love,marvel,marveling,nod,passion,physical love,pleasure,popular regard,popularity,prestige,puzzlement,rapture,regard,respect,reverence,reverential regard,sanction,seal of approval,sense of mystery,sense of wonder,sentiment,sex,sexual love,shine,spiritual love,stamp of approval,stupefaction,surprise,tender feeling,tender passion,transport,truelove,uxoriousness,veneration,voice,vote,weakness,wonder,wonderment,worship,yea,yea vote,yearning 324 - admire,OK,accept,accord respect to,adore,apotheosize,appreciate,approve,approve of,bless,cherish,consider,countenance,dearly love,defer to,deify,delight in,endorse,entertain respect for,esteem,exalt,favor,hero-worship,hold dear,hold in esteem,hold in reverence,hold with,honor,idolize,keep in countenance,look up to,love to distraction,prize,rate highly,regard,relish,respect,revere,reverence,sanction,take kindly to,think highly of,think much of,think well of,treasure,uphold,value,venerate,view with favor,worship 325 - admired,accepted,acclaimed,admitted,adored,advocated,applauded,appreciated,approved,backed,beloved,cherished,cried up,darling,dear,dearly beloved,esteemed,favored,favorite,held dear,held in respect,highly considered,highly touted,honored,in good odor,in high esteem,loved,much-admired,pet,popular,precious,prestigious,prized,received,recommended,respected,revered,reverenced,supported,treasured,valued,venerated,well-beloved,well-considered,well-liked,well-thought-of,worshiped 326 - admirer,Maecenas,abettor,adherent,adorer,advocate,aficionado,amateur,amorist,angel,apologist,backer,beau,booster,buff,champion,collector,darling,defender,dependence,devotee,dilettante,encourager,endorser,enthusiast,exponent,fan,fancier,favorer,follower,friend at court,groupie,idolater,idolizer,infatuate,lover,mainstay,maintainer,paramour,paranymph,partisan,patron,promoter,protagonist,pursuer,reliance,rooter,second,seconder,sectary,sider,sponsor,stalwart,standby,suitor,support,supporter,sustainer,sweetheart,sympathizer,upholder,votary,well-wisher,wooer,worshiper 327 - admissibility,acceptability,adequacy,adequateness,admissibleness,admission,agreeability,allowableness,applicability,appositeness,appropriateness,aptitude,aptness,assimilation,common sense,completeness,comprehension,comprehensiveness,comprisal,coverage,defensibility,eligibility,embodiment,embracement,encompassment,envisagement,excusability,exhaustiveness,explainability,explicability,fairishness,felicity,fitness,fittedness,forgivableness,goodishness,hospitality,inclusion,inclusiveness,incorporation,invitingness,justifiability,justifiableness,justness,lawfulness,legality,legitimacy,licitness,logic,logicality,logicalness,membership,openness,pardonableness,participation,passableness,permissibility,permissibleness,plausibility,propriety,qualification,rationality,reason,reasonability,reasonableness,reception,receptiveness,receptivity,recipience,relevance,remissibility,sanctionableness,satisfactoriness,sense,sensibleness,sound sense,soundness,sufficiency,suitability,sweet reason,tenability,tolerability,tolerableness,tolerance,toleration,unexceptionability,unobjectionability,validity,veniality,viability,vindicability,warrantableness,whole 328 - admissible,OK,a propos,absolute,acceptable,ad rem,adducible,adequate,admissive,admissory,agreeable,all right,allowable,alright,appertaining,applicable,applying,apposite,appropriate,apropos,attestative,attestive,authentic,based on,belonging,better than nothing,certain,circumstantial,cogent,conclusive,condonable,convincing,credible,cumulative,damning,decent,decisive,defensible,desirable,determinative,dispensable,documentary,documented,eligible,enfranchised,evidential,evidentiary,ex parte,excusable,exemptible,expiable,eye-witness,factual,fair,fairish,final,firsthand,fit,fitted,forgivable,founded on,germane,good enough,goodish,grounded on,hearsay,hospitable,imbibitory,implicit,in point,incontrovertible,indicative,indisputable,ingestive,inoffensive,intromissive,intromittent,invitatory,inviting,involving,irrefutable,irresistible,just,justifiable,lawful,legal,legitimate,legitimized,licit,logical,material,moderate,not amiss,not bad,not half bad,not so bad,nuncupative,okay,open,overwhelming,pardonable,passable,permissible,pertaining,pertinent,plausible,presentable,presumptive,pretty good,probative,qualified,rational,reasonable,receivable,receptible,receptive,recipient,relevant,reliable,remissible,respectable,sanctionable,sane,satisfactory,sensible,significant,sound,sufficient,suggestive,suitable,sure,symptomatic,telling,tenable,tidy,to the point,to the purpose,tolerable,unexceptionable,unobjectionable,valid,venial,viable,vindicable,warrantable,weighty,welcoming,well-argued,well-founded,well-grounded,wholesome,with voice,with vote,workmanlike,worthy 329 - admission,Americanization,OK,acceptance,access,acculturation,acknowledging,acknowledgment,acquisition,adit,admissibility,admission fee,admittance,admitting,adoption,affidavit,affiliation,affirmation,allegation,allowance,allowing,anchorage,appointment,appreciation,assertion,asseveration,assimilation,assumption,attest,attestation,averment,avouchment,avowal,baptism,brokerage,carfare,cellarage,charge,charges,charter,citizenship by naturalization,citizenship papers,completeness,comprehension,comprehensiveness,comprisal,compurgation,conceding,concession,confession,consent,cover charge,coverage,culture shock,declaration,demand,deposition,derivation,disclosure,dispensation,divulgement,divulgence,dockage,dues,eligibility,embodiment,embracement,encompassment,enlistment,enrollment,entrance,entrance fee,entree,entry,envisagement,exaction,exactment,exhaustiveness,fare,fee,getting,hire,immission,import,importation,importing,inauguration,inclusion,inclusiveness,income,incoming,incorporation,induction,infiltration,ingoing,ingress,ingression,initiation,input,insertion,insinuation,installation,instatement,institution,instrument in proof,intake,interpenetration,introduction,introgression,intromission,intrusion,investiture,leakage,leave,legal evidence,liberty,license,license fee,membership,nationalization,naturalization,naturalized citizenship,okay,openness,ordination,owning,owning up,papers,participation,patent,penetration,percolation,permission,permission to enter,pilotage,portage,profession,receipt,receival,receiving,reception,recognition,release,revelation,rite of confession,salvage,scot,scot and lot,seepage,shot,shrift,special permission,statement,storage,sworn evidence,sworn statement,sworn testimony,taking,tariff,testimonial,testimonium,testimony,ticket,ticket of admission,tolerance,toleration,toll,towage,unbosoming,vouchsafement,waiver,way,wharfage,whole,witness,word 330 - admissive,admissible,admissory,allowing,confessional,consenting,hospitable,imbibitory,indulgent,ingestive,intromissive,intromittent,invitatory,inviting,lax,lenient,nonprohibitive,open,open-minded,permissive,permitting,persuadable,persuasible,receivable,receptible,receptive,recipient,suffering,tolerant,tolerating,unprohibitive,welcoming 331 - admit,Americanize,Anglicize,O,OK,accept,accord,acculturate,acculturize,acknowledge,acquiesce,acquire,admit everything,admit exceptions,adopt,affiliate,agree,agree provisionally,allow,allow for,assent,assent grudgingly,assimilate,assume,avow,barge in,be admitted,break in,breeze in,brook,burst in,bust in,come barging in,come breezing in,come busting in,come by,come clean,come in,come in for,complete,comprehend,comprise,concede,confer citizenship,confess,consent,consider,consider the circumstances,consider the source,contain,cop a plea,count in,cover,creep in,cross the threshold,crowd in,declare,derive,derive from,discount,dispense,disregard,divulge,drag down,draw,draw from,drop in,edge in,embody,embrace,encircle,enclose,encompass,enter,entertain,envisage,express general agreement,fill,fill in,fill out,gain,gain admittance,get,get in,give an entree,give leave,give permission,give the go-ahead,give the word,go along with,go in,go into,go native,grant,harbor,have,have an entree,have an in,have coming in,hold,hop in,house,immit,include,incorporate,induct,initiate,insert,install,interject,interpose,introduce,intromit,intrude,irrupt,jam in,jump in,leave,let,let in,let on,lift temporarily,lodge,look in,make allowance for,make possible,naturalize,not oppose,number among,obtain,occupy,okay,open up,out with it,own,own up,pack in,permit,plead guilty,pop in,press in,provide for,pull down,push in,put in,receive,reckon among,reckon in,reckon with,recognize,relax,relax the condition,release,reveal,say the word,secure,set aside,set foot in,shelter,slip in,spill,spill it,spit it out,squeeze in,step in,subscribe,suffer,take,take account of,take cognizance of,take in,take into account,take into consideration,take on,take over,take up,tell all,tell the truth,throw open to,thrust in,tolerate,visit,vouchsafe,waive,warrant,wedge in,work in,yield 332 - admitted,accepted,acclaimed,acknowledged,admired,advocated,affirmed,allowed,applauded,approved,authenticated,avowed,backed,being done,certified,comme il faut,conceded,confessed,confirmed,conformable,conventional,correct,countersigned,cried up,customary,de rigueur,decent,decorous,endorsed,established,favored,favorite,fixed,folk,formal,granted,hallowed,handed down,heroic,highly touted,hoary,immemorial,in good odor,inveterate,legendary,long-established,long-standing,meet,mythological,notarized,of long standing,of the folk,on sufferance,oral,orthodox,permitted,popular,prescriptive,professed,proper,ratified,received,recognized,recommended,right,rooted,sealed,seemly,signed,stamped,supported,sworn and affirmed,sworn to,time-honored,tolerated,traditional,tried and true,true-blue,understood,underwritten,unforbidden,unprohibited,unwritten,validated,venerable,warranted,well-thought-of,worshipful 333 - admixture,accretion,addition,alloy,alloyage,amalgam,amalgamation,bit,blend,blending,coalescence,combination,combo,comminglement,commingling,commixture,composite,composition,compound,concoction,confection,dash,doctor,eclecticism,ensemble,fortification,fusion,immixture,integration,interfusion,interlarding,interlardment,interminglement,intermingling,intermixture,magma,merger,mingling,mix,mix-up,mixing,mixture,paste,pluralism,shade,smack,spice,syncretism,taint,tinge 334 - admonish,advise,alert,bring to book,call down,call to account,caution,charge,chastise,chide,correct,cry havoc,cry out against,daunt,dissuade,encourage,enjoin,exhort,expostulate,forewarn,frighten off,give fair warning,give notice,give warning,have words with,incite,induce,intimidate,issue a caveat,issue an ultimatum,kid out of,lecture,lesson,move,notify,objurgate,persuade,preach,prompt,rate,rebuke,remonstrate,reprehend,reprimand,reproach,reprove,scold,set down,set straight,sound the alarm,spank,straighten out,take down,take to task,talk out of,threaten,tick off,tip,tip off,unpersuade,upbraid,urge,utter a caveat,warn,warn against 335 - admonition,admonishment,advice,advising,advocacy,alarm,briefing,castigation,caution,cautioning,caveat,chastisement,chiding,consultation,correction,council,counsel,determent,deterrence,deterrent example,direction,example,exhortation,expostulation,final notice,final warning,forewarning,frightening off,guidance,hint,hortation,idea,instruction,intimidation,lecture,lesson,monition,moral,notice,notification,object lesson,objurgation,opinion,parley,proposal,rap,rating,rebuke,recommendation,remonstrance,reprehension,reprimand,reproach,reprobation,reproof,reproval,scolding,sermon,spanking,suggestion,talking out of,thought,threat,tip-off,ultimatum,upbraiding,verbum sapienti,warning,warning piece,wig 336 - ado,agitation,annoyance,anxiety,besetment,bother,botheration,brawl,broil,brouhaha,burst,bustle,can of worms,commotion,confusion,disadvantage,disturbance,donnybrook,donnybrook fair,dustup,ebullience,ebullition,eddy,effervescence,effort,embroilment,evil,exertion,feery-fary,ferment,fermentation,fidgetiness,fit,flap,flurry,fluster,flutter,flutteriness,foofaraw,fracas,free-for-all,fume,furore,fuss,fussiness,great ado,hassle,headache,helter-skelter,hubbub,hullabaloo,hurly-burly,hurry,hurry-scurry,inconvenience,maelstrom,matter,melee,pains,peck of troubles,pell-mell,perturbation,pother,problem,racket,rampage,restlessness,riot,rough-and-tumble,roughhouse,row,ruckus,ruction,ruffle,rumpus,scramble,sea of troubles,shindy,spasm,spurt,stew,stir,sweat,swirl,swirling,to-do,trouble,tumult,turbulence,turmoil,unquiet,uproar,vortex,whirl,whirlpool,whirlwind,worry,yeastiness 337 - adobe,ashlar,biscuit,bisque,bowl,brick,bricks and mortar,cement,ceramic ware,ceramics,china,clayey,clayish,clinker,concrete,covering materials,crock,crockery,earthy,enamelware,ferroconcrete,firebrick,flag,flagstone,flooring,glass,gumbo,jug,lath and plaster,loamy,marly,masonry,mortar,pavement,paving,paving material,plasters,porcelain,pot,pottery,prestressed concrete,refractory,roofage,roofing,siding,soily,stone,tile,tiling,urn,vase,walling 338 - adolescent,at half cock,baby,callow,fledgling,green,half-baked,half-cocked,half-grown,hopeful,ill-digested,immature,impubic,infant,junior,juvenal,juvenile,maturescent,minor,nubile,pubescent,raw,sapling,slip,sprig,stripling,teenager,teener,teenybopper,underripe,unfledged,ungrown,unmellowed,unripe,unseasoned,young hopeful,young person,younger,youngest,youngling,youngster,youth 339 - adopt,Americanize,Anglicize,accept,acculturate,acculturize,admit,affect,affiliate,appropriate,approve,arrogate,assimilate,assume,carry,colonize,confer citizenship,conquer,copy,derive from,domesticate,embrace,encroach,enslave,espouse,go in for,go native,hog,imitate,indent,infringe,invade,jump a claim,make free with,make use of,mock,monopolize,naturalize,occupy,overrun,pass,pirate,plagiarize,play God,preempt,preoccupy,prepossess,pretend to,ratify,requisition,seize,simulate,sit on,squat on,steal,subjugate,take,take all of,take in,take it all,take on,take over,take possession of,take up,trespass,usurp 340 - adopted,Americanized,Anglicized,accepted,acculturated,acculturized,appointed,approved,assimilated,carried,chosen,designated,elect,elected,elected by acclamation,embraced,espoused,handpicked,indoctrinated,named,naturalized,nominated,passed,picked,ratified,select,selected,unanimously elected 341 - adoption,Americanization,acceptance,acculturation,admission,affiliation,appropriation,arrogation,assimilation,assumption,borrowed plumes,circumcision,citizenship by naturalization,citizenship papers,colonization,conquest,conversion,copying,culture shock,derivation,deriving,embracement,embracing,encroachment,enslavement,espousal,imitation,indent,infringement,invasion,mocking,nationalization,naturalization,naturalized citizenship,new birth,new life,occupation,papers,pasticcio,pastiche,pirating,plagiarism,plagiary,playing God,preemption,preoccupation,prepossession,rebirth,redeemedness,redemption,reformation,regeneration,requisition,salvation,second birth,seizure,simulation,spiritual purification,subjugation,takeover,taking,taking over,trespass,trespassing,usurpation 342 - adorable,E,acceptable,admirable,agreeable,ambrosial,angelic,appealing,appetizing,attractive,beloved,captivating,caressable,charming,cuddlesome,darling,dear,delectable,delicious,delightful,desirable,enviable,exciting,fetching,heavenly,kissable,likable,lovable,loved,lovely,lovesome,luscious,lush,mouth-watering,pleasing,provocative,scrumptious,seductive,seraphic,sweet,taking,tantalizing,tempting,to be desired,toothsome,unobjectionable,winning,winsome,worth having,yummy 343 - adoration,Amor,Christian love,Eros,Platonic love,admiration,affection,agape,apotheosis,appreciation,approbation,approval,ardency,ardor,attachment,awe,bodily love,breathless adoration,brotherly love,caritas,charity,churchgoing,co-worship,conformity,conjugal love,consideration,courtesy,crush,cult,cultism,cultus,deference,deification,desire,devotedness,devotion,devoutness,dulia,dutifulness,duty,esteem,estimation,exaggerated respect,faith,faithful love,faithfulness,fancy,favor,fervor,flame,fondness,free love,free-lovism,great respect,heart,hero worship,high regard,homage,honor,hyperdulia,idolatry,idolism,idolization,infatuation,lasciviousness,latria,libido,like,liking,love,love of God,lovemaking,married love,observance,passion,physical love,pietism,piety,piousness,popular regard,popularity,prestige,prostration,regard,religion,religionism,religiousness,respect,reverence,reverential regard,sentiment,sex,sexual love,shine,spiritual love,tender feeling,tender passion,theism,transcendent wonder,truelove,uxoriousness,veneration,weakness,worship,worshipfulness,worshiping,yearning 344 - adore,accord respect to,admire,adulate,affection,apotheosize,appreciate,bask in,be pleased with,cherish,coddle,dearly love,defer to,deify,delight in,derive pleasure from,devour,do homage to,do service,dote,dote on,eat up,enjoy,entertain respect for,esteem,exalt,extol,fancy,favor,feast on,freak out on,get high on,gloat over,groove on,hallow,hero-worship,hold dear,hold in esteem,hold in reverence,honor,idolize,indulge,indulge in,laud,like,look up to,love,love to distraction,luxuriate in,pamper,pay homage to,praise,prize,regard,rejoice in,relish,respect,revel in,revere,reverence,riot in,savor,smack the lips,spoil,swim in,take pleasure in,think highly of,think much of,think well of,treasure,value,venerate,wallow in,worship 345 - adored,admired,appreciated,beloved,cherished,darling,dear,dearly beloved,esteemed,favorite,held dear,held in respect,highly considered,honored,in high esteem,loved,much-admired,pet,popular,precious,prestigious,prized,respected,revered,reverenced,treasured,valued,venerated,well-beloved,well-considered,well-liked,well-thought-of,worshiped 346 - adoring,Christian,Christianlike,Christianly,admiring,adorant,affectionate,apotheosizing,awed,awestricken,awestruck,believing,conjugal,cultish,cultist,cultistic,deifying,demonstrative,devoted,devotional,devout,dutiful,faithful,filial,fond,hero-worshiping,husbandly,idolatrous,idolizing,imploring,in awe,in the dust,languishing,lovelorn,lovesick,lovesome,loving,maternal,melting,on bended knee,parental,paternal,pietistic,pious,prayerful,precative,precatory,prostrate before,religious,reverent,reverential,romantic,sentimental,soft,solemn,suppliant,supplicant,supplicatory,tender,theistic,uxorious,venerational,venerative,wifely,worshipful,worshiping 347 - adorn,array,beautify,become one,bedeck,bedizen,bestow honor upon,blazon,color,confer distinction on,convolute,dandify,deck,deck out,decorate,dignify,distinguish,dizen,doll up,dress,dress up,elaborate,embellish,emblazon,embroider,enhance,enrich,fancy up,festoon,fig out,fix up,flourish,furbish,garnish,gild,glamorize,grace,gussy up,heighten,honor,intensify,involve,load with ornament,ornament,overcharge,overlay,overload,paint,prank,prank up,preen,prettify,pretty up,primp,primp up,prink,prink up,redecorate,redo,refurbish,set off,set out,signalize,smarten,smarten up,spruce up,titivate,trick out,trick up,trim,varnish 348 - adorned,beaded,bedecked,bedizened,befrilled,bejeweled,beribboned,bespangled,colored,decked out,decorated,embellished,embroidered,fancy,feathered,festooned,figurative,figured,florid,flowered,flowery,garnished,jeweled,lush,luxuriant,ornamented,ornate,overcharged,overloaded,plumed,purple,spangled,spangly,studded,tricked out,trimmed,wreathed 349 - adornment,adjunct,arrangement,beauties,beautification,beauty treatment,color,color patterns,colors,colors of rhetoric,decor,decoration,elaboration,elegant variation,embellishment,emblazonment,emblazonry,embroidery,facial,figure,figure of speech,fine writing,floridity,floridness,flourish,flower arrangement,floweriness,flowers of speech,frill,furniture arrangement,garnish,garnishment,garniture,hairdressing,illumination,lushness,luxuriance,manicure,ornament,ornamentation,prettification,purple patches,trim,trimming,window dressing 350 - adrift,abashed,aberrant,abroad,afloat,all abroad,all off,all wrong,alternating,amiss,amorphous,askew,astray,at fault,at sea,aweigh,awry,beside the mark,beside the point,beside the question,bewildered,bothered,capricious,cast-off,changeable,changeful,clear,clueless,confused,corrupt,deceptive,defective,delusive,desultory,deviable,deviant,deviational,deviative,discomposed,disconcerted,dismayed,disoriented,distorted,distracted,distraught,disturbed,dizzy,eccentric,embarrassed,errant,erratic,erring,erroneous,extraneous,extrinsic,fallacious,false,fast and loose,faultful,faulty,fickle,fitful,flawed,flickering,flighty,flitting,floating,fluctuating,freakish,free,giddy,guessing,heretical,heterodox,illogical,illusory,immaterial,impertinent,impetuous,impulsive,in a fix,in a maze,in a pickle,in a scrape,in a stew,inadmissible,inapplicable,inapposite,inappropriate,incidental,inconsequent,inconsistent,inconstant,indecisive,infirm,irregular,irrelative,irrelevant,irresolute,irresponsible,loose,lost,mazed,mazy,mercurial,moody,nihil ad rem,nonessential,not at issue,not right,not true,off,off the subject,off the track,out,out-of-the-way,parenthetical,peccant,perturbed,perverse,perverted,put-out,rambling,restless,rickety,roving,scatterbrained,self-contradictory,shaky,shapeless,shifting,shifty,shuffling,spasmodic,spineless,started,straying,turned around,unaccountable,unanchored,unbound,uncertain,uncontrolled,undependable,undisciplined,undone,unessential,unfactual,unfastened,unfixed,unmoored,unorthodox,unpredictable,unproved,unreliable,unrestrained,unsettled,unstable,unstable as water,unstaid,unsteadfast,unsteady,unstuck,untied,untrue,upset,vacillating,vagrant,variable,vicissitudinary,vicissitudinous,volatile,wandering,wanton,wavering,wavery,wavy,wayward,whimsical,wide,wishy-washy,without a clue,wrong 351 - adroit,Daedalian,adept,adroitness,apt,artful,artistic,astute,authoritative,brainy,bravura,bright,brilliant,canny,clean,clever,coordinated,crack,crackerjack,craft,cunning,cute,daedal,deft,deftness,dexterity,dexterous,dexterousness,dextrous,diplomatic,excellent,expert,expertise,fancy,gifted,good,goodish,graceful,handy,ingenious,intelligent,keen,keen-witted,know-how,magisterial,masterful,masterly,neat,neat-handed,nimble,nimble-witted,no dumbbell,no mean,not born yesterday,perspicacious,politic,pretty,professional,proficient,prowess,quick,quick-thinking,quick-witted,quite some,readiness,ready,resourceful,scintillating,sharp,sharp-witted,shrewd,skill,skillful,sleight,slick,slim,sly,smart,some,statesmanlike,steel-trap,stylish,subtle,tactful,talented,the compleat,the complete,virtuoso,well-done,wicked,workmanlike 352 - adsorb,absorb,assimilate,blot,blot up,chemisorb,chemosorb,digest,drink,drink in,drink up,engross,filter in,imbibe,infiltrate,osmose,percolate in,seep in,slurp up,soak in,soak up,sorb,sponge,swill up,take in,take up 353 - adsorbent,absorbency,absorbent,absorption,adsorption,assimilation,assimilative,bibulous,blotter,blotting,blotting paper,chemisorption,chemisorptive,chemosorption,chemosorptive,digestion,digestive,endosmosis,endosmotic,engrossment,exosmosis,exosmotic,imbibitory,infiltration,osmosis,osmotic,percolation,resorbent,seepage,soaking,sorbent,sorption,sponge,spongeous,sponging,spongy,thirsty 354 - adsorption,absorbency,absorbent,absorption,adsorbent,assimilation,blotter,blotting,blotting paper,chemisorption,chemosorption,digestion,endosmosis,engrossment,exosmosis,infiltration,osmosis,percolation,seepage,sorption,sponge,sponging 355 - adulation,acclaim,accolade,apotheosis,applause,bepraisement,blandishment,blarney,bunkum,cajolement,cajolery,compliment,congratulation,deification,eloge,encomium,eulogium,eulogy,exaltation,excessive praise,eyewash,fair words,fawning,flattery,glorification,glory,grease,hero worship,homage,hommage,honeyed phrases,honeyed words,honor,idolatry,idolizing,incense,kudos,laud,laudation,lionizing,magnification,meed of praise,oil,overpraise,paean,palaver,panegyric,praise,pretty lies,soap,soft soap,sweet nothings,sweet talk,sweet words,sycophancy,tribute,wheedling 356 - adult,aged,big,full-blown,full-fledged,full-grown,grown,grown up,grown-up,marriable,marriageable,mature,matured,maturescent,nubile,of age,of marriageable age,old,ripe,ripened 357 - adulterate,alloy,attenuate,baptize,bastardize,canker,cheapen,coarsen,confound,contaminate,cook,corrupt,cut,deacon,debase,debauch,defile,deflower,degenerate,degrade,denaturalize,denature,deprave,desecrate,despoil,devalue,dilute,distort,doctor,doctor up,etherealize,expand,fake,falsify,fortify,infect,irrigate,juggle,lace,load,manipulate,misuse,pack,pervert,plant,poison,pollute,prostitute,rarefy,ravage,ravish,reduce,retouch,rig,salt,sophisticate,spike,stack,subtilize,taint,tamper with,thin,thin out,twist,ulcerate,violate,vitiate,vulgarize,warp,water,water down,weaken,weight 358 - adulterated,airy,attenuate,attenuated,blemished,cut,damaged,defective,deficient,dilute,diluted,erroneous,ethereal,fallible,faulty,fine,flimsy,found wanting,gaseous,immature,impaired,imperfect,imprecise,impure,inaccurate,inadequate,incomplete,inexact,insubstantial,lacking,makeshift,mediocre,mixed,not perfect,off,partial,patchy,rare,rarefied,reduced,short,sketchy,slight,subtile,subtle,tenuous,thin,thinned,thinned-out,uncompact,uncompressed,undeveloped,uneven,unfinished,unperfected,unsound,unsubstantial,unthorough,vaporous,wanting,watered,watered-down,windy 359 - adultery,act of love,adulterous affair,affair,amour,aphrodisia,ass,balling,carnal knowledge,climax,cohabitation,coition,coitus,coitus interruptus,commerce,concubinage,congress,connection,copula,copulation,coupling,criminal conversation,cuckoldry,diddling,entanglement,eternal triangle,extracurricular sex,extramarital relations,flirtation,forbidden love,fornication,free love,free-lovism,hanky-panky,illicit love,incest,infidelity,intercourse,intimacy,intrigue,liaison,love affair,lovemaking,making it with,marital relations,marriage act,mating,meat,onanism,orgasm,ovum,pareunia,premarital relations,premarital sex,procreation,relations,romance,romantic tie,screwing,sex,sex act,sexual climax,sexual commerce,sexual congress,sexual intercourse,sexual relations,sexual union,sleeping with,sperm,triangle,unfaithfulness,venery 360 - adulthood,adultness,age of consent,driving age,flower of age,full age,full bloom,full growth,fullgrownness,grown-upness,legal age,legalis homo,majority,manhood,manlihood,mature age,maturity,prime,prime of life,ripe age,riper years,toga virilis,virility,womanhood,womanlihood,years of discretion 361 - adumbrate,allude to,argue,augur,auspicate,becloud,bedim,bespeak,betoken,block out,bode,body forth,call,chalk out,characterize,cloud,darken,demonstrate,denote,dim,draft,drop a hint,embody,exemplify,figure,fog,forebode,forecast,foreshadow,foreshow,foretell,give a hint,give the cue,glance at,gloom,have a hunch,have an intimation,hint,hint at,illustrate,image,impersonate,imply,incarnate,indicate,insinuate,intimate,lower,mean,menace,mirror,mist,murk,obfuscate,omen,outline,overcast,personate,personify,portend,predict,prefigure,presage,pretypify,prognosticate,project,prompt,prophesy,realize,reflect,rough out,shadow,shadow forth,signify,skeleton,suggest,symbolize,threaten,typify,vaticinate 362 - advance guard,airhead,armed guard,avant-garde,bank guard,battle line,beachhead,bridgehead,coast guard,cordon,cordon sanitaire,farthest outpost,first line,forefront,front,front line,front rank,front-runner,garrison,goalie,goalkeeper,goaltender,guard,guarder,guardsman,inlying picket,innovation,jailer,latest fad,latest fashion,latest wrinkle,line,new look,newfangled device,novelty,outguard,outpost,picket,pioneer,point,precursor,railhead,rear guard,scout,security guard,spearhead,the in thing,the last word,the latest thing,train guard,van,vanguard,warder 363 - advance,Brownian movement,Great Leap Forward,Wall Street loan,abet,accelerate,access,accession,accommodate with,accommodation,accomplishment,accost,accretion,accrual,accrue,accruement,acculturate,accumulate,accumulation,achieve success,act for,addition,adduce,advance,advance against,advance upon,advancement,advancing,advantage,advent,afflux,affluxion,aggrandize,aggrandizement,ahead of time,aid,air,allege,ameliorate,amelioration,amend,amendment,amplification,anabasis,angular motion,answer,appreciate,appreciation,approach,approaching,appropinquate,appropinquation,approximate,approximation,appulse,array,arrive,ascend,ascending,ascent,asking price,assert,assist,augmentation,avail,axial motion,back,back up,backflowing,backing,backward motion,balloon,ballooning,be a success,be instrumental,be right,bear down on,bear down upon,bear fruit,bear up,befit,befitting,before,beforehand,benefit,better,bettering,betterment,beyond,bid,bloat,bloating,bloom,blossom,blossoming,boom,boost,bowl,break bounds,break no bones,break through,breakthrough,breed,bring before,bring forward,bring on,bring to bear,bring up,broach,broaden,broadening,budge,buildup,bunt,butt,call loan,call money,career,change,change place,circle,cite,civilize,climb,climbing,close,close in,close with,collateral loan,come,come along,come closer,come forward,come near,come on,come through,come up,coming,coming near,coming toward,commend to attention,conduce to,confront,continue,contribute to,counterattack,course,cover ground,crescendo,current,cut a swath,decide,demand loan,deploy,deposit,descend,descending,descent,determine,develop,development,developmental change,do good,do no harm,do the trick,do well,downward motion,draw near,draw nigh,drift,driftage,drive,ebb,ebbing,edema,edify,educate,elaboration,elapse,elevate,elevation,emend,encounter,encourage,encroach,endure,enhance,enhancement,enjoy prosperity,enlargement,enlighten,ennoble,ennoblement,enrich,enrichment,eugenics,euthenics,evolute,evolution,evolutionary change,evolve,evolvement,evolving,exalt,exaltation,expansion,expedite,expediting,expedition,expire,explication,expose,extension,external loan,facilitate,facilitation,farewell,fatten,favor,feeler,fill the bill,fit,flank,flight,flit,float a loan,flood,flow,flow on,flower,flowering,flowing toward,flux,fly,foreign loan,forge ahead,forthcoming,forward,forward motion,forwardal,forwarding,foster,further,furtherance,furthering,gain,gain ground,gain strength,gain upon,gas,gather head,gather way,get ahead,get along,get on,get on swimmingly,get on well,get over,get there,glide,glorify,go,go ahead,go along,go around,go between,go by,go far,go fast,go forward,go on,go places,go round,go sideways,go straight,go too far,go up,go well,go-ahead,gradual change,graduate,graduation,greatening,grow,grow better,growth,gush,gyrate,hasten,have it made,headway,heighten,help,helping along,hike,imminence,immortalize,impel,improve,improve upon,improvement,in advance,in front of,increase,increment,infiltrate,inflation,influence,infringe,intensify,introduce,intrude,invade,invitation,irrupt,jump,kick upstairs,knight,knighting,know no bounds,lapse,lard,last,launch,launch an attack,lay,lay before,lay down,lead to,leap,lease-lend,lend,lend wings to,lend-lease,lending,lending at interest,lift,loan,loan-shark,loan-sharking,loaning,long-term loan,look up,magnify,make a breakthrough,make a motion,make a success,make an improvement,make an inroad,make for,make good,make good time,make head against,make headway,make it,make progress,make progress against,make strides,make the scene,make up leeway,march,march against,march upon,marshal,maturate,maturation,mature,mediate,meliorate,melioration,mellow,mend,mending,minister to,moneylending,moot,mount,mount an attack,mounting,move,move forward,move over,multiplication,multiply,narrow the gap,natural development,natural growth,near,nearing,nearness,negotiate a loan,nonviolent change,not come amiss,nurture,oblique motion,offer,offer a resolution,offering,oncoming,ongoing,onrush,onward course,open an offensive,open up,overstep,overstep the bounds,overture,pass,pass along,pass by,pass on,passage,passing,pay raise,pedal,perk up,pick up,pickup,plead,plunge,plunging,pole,policy loan,pose,posit,postulate,predicate,prefer,preferential treatment,preferment,preliminary approach,prepay,prepayment,present,presentation,press on,proceed,produce,productiveness,proffer,proficiency,profit,progress,progression,progressiveness,proliferate,proliferation,promote,promotion,propel,propose,proposition,propound,prosper,proximate,proximation,push,push forward,put forth,put forward,put it to,quicken,radial motion,raise,rally,random motion,recommend,recovery,redound to,refine upon,reflowing,refluence,reflux,reform,regress,regression,restoration,retrogress,retrogression,revival,ripen,ripening,rise,rising,roll,roll on,rolling,rolling on,rotate,row,run,run its course,run on,run out,run up,rush,rushing,secured loan,serve,set,set before,set forth,set forward,shape up,shift,shoot up,short-term loan,shove,show improvement,shunt,shylocking,sideward motion,sidle up to,sink,sinking,skyrocket,slide,slip,snowball,snowballing,soar,soaring,socialize,special treatment,speed,speeding,spin,spread,start,stem,step forward,step up,sternway,stir,straighten out,stream,strengthen,strike,submission,submit,subserve,subside,subsiding,succeed,suggest,suit the occasion,surge,sweep,sweep along,swell,swelling,take off,tentative approach,thrust,time loan,traject,trajet,transfigure,transform,transgress,travel,treadle,trend,trespass,troll,trundle,tumescence,turn out well,turn the scale,unsecured loan,up,upbeat,upgrade,upgrading,uplift,upping,upsurge,upswing,uptrend,upturn,upward mobility,upward motion,usurp,usury,wane,wax,waxing,way,whirl,widen,widening,work 364 - advanced,a bit previous,a la mode,advanced in life,advanced in years,adventurous,aged,along in years,ameliorated,ancient,avant-garde,beautified,bettered,broad,broad-minded,civilized,contemporary,converted,cultivated,cultured,daring,developed,educated,elderly,embellished,enhanced,enriched,exploratory,far ahead,far out,fashionable,forward,forward-looking,gray,gray with age,gray-haired,gray-headed,grown old,half-baked,half-cocked,hasty,hoar,hoary,ill-considered,improved,impulsive,in,inaugural,mod,modern,modernistic,modernized,modish,newfashioned,not firm,now,old,old as Methuselah,original,overhasty,oversoon,patriarchal,perfected,polished,preceding,precipitate,precocious,preliminary,premature,present-day,present-time,previous,progressive,radical,refined,reformed,rushed,senectuous,streamlined,tolerant,too early,too soon,transfigured,transformed,twentieth-century,ultra-ultra,ultramodern,uncrystallized,unjelled,unmatured,unmeditated,unpremeditated,unprepared,unripe,untimely,up-to-date,up-to-datish,up-to-the-minute,venerable,venturesome,way out,white,white with age,white-bearded,white-crowned,white-haired,wide,wrinkled,wrinkly,years old 365 - advancement,Great Leap Forward,accomplishment,advance,advancing,aggrandizement,amelioration,amendment,amplification,anabasis,ascent,bettering,betterment,blossoming,boost,career,course,development,developmental change,dignification,elaboration,elevation,enhancement,enlargement,ennoblement,enrichment,eugenics,euthenics,evolution,evolutionary change,evolvement,evolving,exaltation,expansion,expediting,expedition,explication,facilitation,flowering,forward motion,forwardal,forwarding,furtherance,furthering,go-ahead,gradual change,graduation,growth,headway,helping along,improvement,knighting,lend-lease,lending,lending at interest,lift,loan-sharking,loaning,magnification,march,maturation,melioration,mend,mending,moneylending,natural development,natural growth,nonviolent change,ongoing,onward course,passage,passing,pay raise,pickup,preference,preferential treatment,preferment,proficiency,progress,progression,progressiveness,promotion,raise,raising,recovery,restoration,revival,ripening,rise,rolling,rolling on,rushing,shylocking,special treatment,speeding,travel,upbeat,upgrading,uplift,uplifting,upping,upswing,uptrend,upward mobility,usury,way 366 - advantage,accommodation,account,advance,advancement,advantageously,advantageousness,advisability,allowance,amenity,answer,appliance,applicability,appropriateness,appurtenance,ascendancy,asset,avail,be handy,be of use,be right,befit,befitting,behalf,behoof,benediction,beneficialness,benefit,benison,bestead,better,betterment,blessing,boon,boost,break no bones,bulge,coign of vantage,conduce to,contribute to,convenience,deadwood,decency,desirability,do,do good,do no harm,do the trick,dominance,domination,draw,drop,edge,encourage,enhancement,expedience,expediency,expedite,facilitate,facility,favor,feasibility,fill the bill,fit,fitness,fittingness,flying start,foothold,footing,forward,fruitfulness,further,gain,give good returns,godsend,good,handicap,hasten,head start,heightening,help,hold,improvement,inside track,interest,jump,lead,leadership,lend wings to,make for,mastery,not come amiss,odds,opportuneness,overhand,pay,pay off,percentage,point,politicness,profit,profitability,promote,propriety,prosperity,prudence,purchase,push forward,put forward,quicken,relevance,rightness,running start,seasonableness,seemliness,serve,serve the purpose,service,serviceability,set forward,something extra,something in reserve,speed,start,suffice,suit the occasion,suitability,superiority,sway,timeliness,to advantage,toehold,traction,upper hand,use,usefulness,utility,value,vantage,vantage ground,vantage point,victory,welfare,well-being,whip hand,wisdom,work,work for,world of good,worth,worthwhileness,yield a profit 367 - advantageous,acceptable,advisable,agreeable,appropriate,auspicious,banausic,becoming,befitting,beneficial,benevolent,bon,bonny,brave,braw,breadwinning,bueno,capital,cogent,commendable,commodious,conducive,congruous,contributory,convenient,decent,desirable,elegant,employable,estimable,excellent,expedient,fair,famous,fat,favorable,favoring,feasible,felicitous,fine,fit,fitten,fitting,fructuous,functional,gainful,good,good for,goodly,grand,happy,healthy,helpful,in the black,instrumental,kind,laudable,likely,lucrative,meet,moneymaking,nice,noble,of general utility,of help,of service,of use,opportune,paying,pleasant,pleasing,politic,practical,pragmatical,productive,profitable,proper,propitious,recommendable,regal,remedial,remunerative,right,royal,salutary,satisfactory,satisfying,seasonable,seemly,serviceable,skillful,sortable,sound,splendid,suitable,timely,to be desired,toward,useful,utilitarian,valid,valuable,very good,virtuous,well-paying,well-timed,wise,worthwhile 368 - advantageously,advisably,amelioratively,appropriately,at a profit,beneficially,congruously,conveniently,decently,desirably,effectively,effectually,efficiently,expediently,favorably,feasibly,fitly,fittingly,for money,functionally,gainfully,handily,helpfully,helpingly,in the black,lucratively,melioratively,opportunely,practically,profitably,properly,remuneratively,rightly,seasonably,serviceably,sortably,suitably,to advantage,to good effect,to good use,to profit,to the good,usefully,with advantage 369 - advent,access,accession,accomplishment,achievement,advance,afflux,affluxion,appearance,approach,approach of time,approaching,appropinquation,approximation,appulse,arrival,attainment,coming,coming near,coming toward,flowing toward,forthcoming,imminence,nearing,nearness,oncoming,proximation,reaching,time drawing on 370 - Advent,Allhallowmas,Allhallows,Allhallowtide,Annunciation,Annunciation Day,Ascension Day,Ash Wednesday,Candlemas,Candlemas Day,Carnival,Christmas,Corpus Christi,Easter,Easter Monday,Easter Saturday,Easter Sunday,Eastertide,Ember days,Epiphany,Good Friday,Halloween,Hallowmas,Holy Thursday,Holy Week,Lady Day,Lammas,Lammas Day,Lammastide,Lent,Lententide,Mardi Gras,Martinmas,Maundy Thursday,Michaelmas,Michaelmas Day,Michaelmastide,Palm Sunday,Pancake Day,Passion Week,Pentecost,Quadragesima,Quadragesima Sunday,Septuagesima,Shrove Tuesday,Trinity Sunday,Twelfth-day,Twelfth-tide,Whit-Tuesday,White Sunday,Whitmonday,Whitsun,Whitsunday,Whitsuntide,Whitweek 371 - adventitious,accessory,accidental,additional,adscititious,aleatory,appurtenant,ascititious,auxiliary,casual,causeless,chance,chancy,circumstantial,collateral,conditional,contingent,destinal,dicey,extra,fatal,fatidic,fluky,fortuitous,iffy,incidental,indeterminate,inessential,nonessential,occasional,provisional,risky,secondary,subsidiary,superadded,superfluous,supervenient,supplemental,supplementary,uncaused,undetermined,unessential,unexpected,unforeseeable,unforeseen,unlooked-for,unpredictable 372 - adventure,Clio,accomplished fact,accomplishment,achievement,act,acta,action,adventures,affair,annals,aristeia,autobiography,bet,biographical sketch,biography,blow,bold stroke,case history,casualty,chance,chance hit,chronicle,chronicles,chronology,circumstance,confessions,contingency,contingent,coup,curriculum vitae,danger,dare,dealings,deed,diary,doing,doings,effort,emprise,endanger,endeavor,enterprise,episode,escapade,event,expedition,experience,experiences,exploit,exploration,fact,fait accompli,feat,fluke,fortuity,fortunes,freak accident,gamble,gest,go,hagiography,hagiology,hand,handiwork,hap,happening,happenstance,hazard,heroic act,historiography,history,imperil,incident,jeopardize,job,journal,legend,life,life and letters,life story,long odds,long shot,lucky shot,maneuver,martyrology,matter of fact,measure,memoir,memoirs,memorabilia,memorial,memorials,mission,move,necrology,obituary,occasion,occurrence,operation,overt act,particular,passage,performance,peril,phenomenon,photobiography,pilgrimage,proceeding,production,profile,punt,quest,reality,record,res gestae,resume,risk,speculation,stake,step,story,stroke,stunt,theory of history,thing,thing done,threaten,tour de force,transaction,turn,turn of events,undertaking,venture,wager,waver,work,works 373 - adventurer,adventuress,alpinist,astronaut,betting ring,bettor,big operator,boneshaker,bounder,bourgeois gentilhomme,brazenface,cad,camper,cardshark,cardsharp,cardsharper,charlatan,cheat,climber,comers and goers,commuter,compulsive gambler,condottiere,cosmopolite,crap shooter,cruiser,daredevil,devil,excursionist,explorer,fare,fire-eater,free lance,gambler,gamester,globe-girdler,globe-trotter,goer,gun,gunman,gunslinger,hajji,harum-scarum,hazarder,hellcat,hero,heroine,hired gun,hired killer,hireling,hotspur,jet set,jet-setter,journeyer,knave,lame duck,madbrain,madcap,margin purchaser,mariner,mercenary,mountaineer,name-dropper,newly-rich,nouveau riche,nouveau roturier,operator,opportunist,palmer,parvenu,passenger,passerby,pathfinder,petty gambler,philanderer,pig in clover,piker,pilgrim,pioneer,player,plunger,professional killer,punter,rantipole,rogue,rubberneck,rubbernecker,sailor,scalper,scoundrel,sharp,sharper,sharpie,sightseer,smart operator,social climber,soldier of fortune,speculator,sport,sporting man,sportsman,sprout,stag,status seeker,straphanger,swashbuckler,swindler,tinhorn,tipster,tourer,tourist,tout,trailblazer,trailbreaker,transient,traveler,trekker,trickster,tripper,tufthunter,upstart,venturer,viator,visiting fireman,voortrekker,voyager,voyageur,wagerer,wayfarer,wild man,world-traveler,would-be gentleman 374 - adventuresome,adventurous,aggressive,ambitious,audacious,daredevil,daring,driving,dynamic,enterprising,foolhardy,forceful,go-ahead,hustling,overbold,pushful,pushing,pushy,rash,reckless,temerarious,up-and-coming,venturesome,venturous 375 - adventuress,Aspasia,Delilah,Jezebel,Messalina,Phryne,Thais,adventurer,brazenface,courtesan,daredevil,demimondaine,demimonde,demirep,devil,femme fatale,fire-eater,harem girl,harum-scarum,hellcat,hetaera,hotspur,houri,madbrain,madcap,odalisque,rantipole,seductress,temptress,vamp,vampire,wild man 376 - adventurous,adventuresome,adversary,aggressive,aleatory,ambitious,antagonist,anti,assaulter,attacker,audacious,bold,brash,brave,chancy,con,courageous,daredevil,daring,death-defying,devil-may-care,dicey,doughty,driving,dynamic,enterprising,fire-eating,foolhardy,forceful,forward,full of risk,go-ahead,harebrained,hazardous,hotheaded,hustling,impetuous,imprudent,intrepid,madbrain,madbrained,madcap,match,opposer,oppugnant,overbold,overconfident,presumptuous,pushful,pushing,pushy,rash,reckless,riskful,risky,speculative,temerarious,up-and-coming,venturesome,venturous,wild,wild-ass,wildcat 377 - adverb,adjectival,adjective,adverbial,adversative conjunction,attributive,conjunction,conjunctive adverb,coordinating conjunction,copulative,copulative conjunction,correlative conjunction,disjunctive,disjunctive conjunction,exclamatory noun,form class,form word,function class,gerundive,interjection,part of speech,participle,particle,past participle,perfect participle,preposition,present participle,subordinating conjunction,verbal adjective 378 - adversary,adversative,adverse,alien,antagonist,antagonistic,anti,antipathetic,antithetic,archenemy,assailant,bitter enemy,clashing,combatant,competitive,competitor,con,conflicting,contradictory,contrary,counter,cross,devil,disaccordant,dissentient,enemy,foe,foeman,fractious,hostile,inimical,negative,noncooperative,obstinate,open enemy,opponent,opposed,opposing,opposing party,opposite,opposite camp,oppositional,oppositive,oppugnant,overthwart,perverse,public enemy,recalcitrant,refractory,repugnant,rival,sworn enemy,the loyal opposition,the opposition,uncooperative,unfavorable,unfriendly,unpropitious 379 - adverse,adversary,adversative,adversive,alien,antagonistic,anti,antipathetic,antithetic,antonymous,at cross-purposes,balancing,clashing,compensating,competitive,con,conflicting,confronting,contradictory,contradistinct,contrapositive,contrarious,contrary,contrasted,converse,counter,counteractive,counterbalancing,counterpoised,countervailing,cross,dead against,deleterious,detrimental,difficult,disaccordant,disadvantageous,discordant,discrepant,dissentient,enemy,eyeball to eyeball,fractious,hard,harmful,hostile,hurtful,impeding,in opposition,inconsistent,inimical,injurious,inverse,miserable,negative,noncooperative,not easy,obstinate,obstructive,obverse,opponent,opposed,opposing,opposite,oppositional,oppositive,oppugnant,overthwart,perverse,prejudicial,recalcitrant,refractory,repugnant,reverse,rigorous,rival,sinister,squared off,stressful,troublesome,troublous,trying,uncooperative,unfavorable,unfriendly,unpropitious,unsatisfactory,untoward,wretched 380 - advertent,agog,alert,all ears,all eyes,assiduous,attentive,aware,careful,concentrated,conscious,diligent,earnest,finical,finicking,finicky,heedful,intense,intent,intentive,meticulous,mindful,nice,niggling,observant,observing,on the ball,on the job,open-eared,open-eyed,openmouthed,regardful,watchful 381 - advertise,acquaint,advertise of,advise,air,announce,annunciate,apprise,ballyhoo,bark,bill,blazon,blazon forth,boost,brandish,brief,bring word,broadcast,bruit about,build up,bulletin,circularize,communicate,cry,cry up,dangle,demonstrate,disclose,display,emblazon,enlighten,establish,exhibit,familiarize,flash,flaunt,flourish,give a write-up,give notice,give publicity,give the facts,give word,hold up,impart,inform,instruct,leave word,let know,manifest,mention to,notify,parade,placard,plug,post,post bills,post up,press-agent,proclaim,promote,promulgate,propagandize,publicize,publish,puff,push,put forth,put forward,recount,relate,report,sell,send word,serve notice,sound,speak,spiel,sport,tell,trumpet,trumpet forth,vaunt,verse,wave,write up 382 - advertisement,ad,advert,advertising,announcement,ballyhoo,bill,blurb,broadcast,broadside,brochure,circular,classified,commercial,handbill,hype,notice,placard,plug,poster,proclamation,promotion,promulgation,pronouncement,pronunciamento,propaganda,publication,publicity,puffery,spot announcement 383 - advice,admonition,advisement,alerting,broadcast journalism,caution,cautioning,clue,communication,communique,counsel,cue,direction,dispatch,embassy,express,forewarning,guidance,information,instruction,intelligence,journalism,letter,message,monition,news,news agency,news medium,news service,newsiness,newsletter,newsmagazine,newspaper,newsworthiness,notice,notification,office,opinion,passing word,pneumatogram,pointer,press association,radio,recommendation,release,reportage,steer,suggestion,teaching,telegram,telegraph agency,television,the fourth estate,the press,tidings,tip,tip-off,view,warning,whisper,wire service,word 384 - advisable,advantageous,appropriate,becoming,befitting,commendable,congruous,convenient,decent,desirable,expedient,favorable,feasible,felicitous,fit,fitten,fitting,fructuous,good,happy,intelligent,judicious,likely,meet,opportune,politic,practical,profitable,proper,prudent,recommendable,right,seasonable,seemly,sensible,smart,sortable,sound,suitable,tactical,timely,to be desired,useful,well-timed,wise,worthwhile 385 - advise,acquaint,admonish,advertise,advertise of,advocate,alert,apprise,brief,bring word,caution,clue,coach,coax,collogue,commend,communicate,confab,confabulate,confer,consult,consult with,counsel,cry havoc,deliberate,direct,disclose,encourage,enlighten,familiarize,fill in,forewarn,give fair warning,give notice,give the facts,give warning,give word,guide,huddle,impart,induce,inform,instruct,issue an ultimatum,kibitz,leave word,let know,let out,meddle,mention to,notify,parley,persuade,post,powwow,prescribe,propose,recommend,register,report,reveal,send word,serve notice,sound the alarm,speak,submit,suggest,tell,threaten,tip,tip off,treat,urge,utter a caveat,verse,warn,warn against,win over 386 - advised,aforethought,aimed,aimed at,calculated,conscious,considered,contemplated,deliberate,deliberated,designed,envisaged,envisioned,intended,intentional,knowing,meant,meditated,of design,planned,premeditated,prepense,projected,proposed,purposed,purposeful,purposive,reasoned,studied,studious,teleological,thought-out,voluntary,weighed,willful,witting 387 - adviser,Dutch uncle,Polonius,admonisher,announcer,annunciator,authority,backseat driver,buttinsky,channel,cicerone,communicant,communicator,confidant,confidante,consultant,counsel,counselor,enlightener,expert,expert witness,gossipmonger,grapevine,guide,informant,information center,information medium,informer,instructor,interviewee,kibitzer,meddler,mentor,monitor,mouthpiece,nestor,newsmonger,notifier,orienter,preceptist,press,public relations officer,publisher,radio,reporter,source,spokesman,teacher,television,teller,tipster,tout,witness 388 - advisory,admonition,admonitory,bulletin,cautionary,communicative,consultative,consultatory,council,deliberative,didactic,directive,educational,educative,enlightening,exhortative,exhortatory,expostulative,expostulatory,hortative,hortatory,informational,informative,informing,instructive,monitorial,monitory,moralistic,notice,preachy,prediction,recommendatory,remonstrant,remonstrative,remonstratory,sententious,synodal,synodic,warning 389 - advocacy,abetment,admonition,advice,advising,advocating,advocation,aegis,auspices,backing,briefing,bruiting,buildup,care,caution,caveat,certificate of character,championship,character,character reference,charity,consultation,council,counsel,countenance,credential,direction,drumbeating,encouragement,exhortation,expostulation,favor,flack,fosterage,goodwill,guidance,hortation,idea,instruction,interest,letter of introduction,monition,opinion,parley,patronage,promoting,promotion,proposal,publicization,publicizing,recommend,recommendation,reference,remonstrance,seconding,sponsorship,suggestion,sympathy,testimonial,thought,tutelage,voucher,warning 390 - advocate,Maecenas,abet,abettor,acquaintance,admirer,advance,advise,aficionado,agent,aid and abet,allege in support,alpenstock,alter ego,alternate,amicus curiae,angel,answer,apologete,apologist,apologizer,argue for,arm,assert,athletic supporter,attorney,attorney-at-law,back,backbone,backer,backing,backstop,backup,backup man,bandeau,barrister,barrister-at-law,bearer,best friend,blandish,boost,bosom friend,bra,brace,bracer,bracket,brassiere,brief,brother,buff,buttress,cajole,call on,call upon,cane,carrier,casual acquaintance,cervix,champion,close acquaintance,close friend,coach,coax,comfort,commend,confer,confidant,confidante,consult with,contend for,corset,counsel,counselor,counselor-at-law,countenance,counter,crook,crutch,cry up,defend,defender,dependence,deputy,direct,dummy,embolden,encourage,encourager,endorse,endorser,espouse,executive officer,exhort,exponent,expounder,familiar,fan,favor,favorer,fellow,fellow creature,fellowman,figurehead,forward,foundation garment,friend,friend at court,fulcrum,girdle,go for,guard,guide,guy,guywire,hearten,high-pressure,hype,importune,inseparable friend,insist,insist upon,instruct,intercessor,intimate,jawbone,jock,jockstrap,justifier,justify,keep in countenance,kibitz,lawyer,legal adviser,legal counselor,legal expert,legal practitioner,legalist,lieutenant,lobby,locum,locum tenens,lover,mainstay,maintain,maintainer,make a plea,mast,meddle,mouthpiece,nag,neck,neighbor,other self,paladin,paranymph,partisan,patron,pickup,pinch hitter,plead for,plead with,pleader,plug,prescribe,press,pressure,proctor,procurator,promote,promoter,prop,proponent,propose,protagonist,protector,proxy,puff,push,rebut,recommend,refute,reinforce,reinforcement,reinforcer,reliance,reply,repository,representative,respond,rest,resting place,rigging,riposte,say in defense,sea lawyer,second,second in command,secondary,seconder,sectary,self-styled lawyer,shine upon,shoulder,shroud,side with,sider,smile upon,soft-soap,solicitor,speak for,speak highly of,speak up for,speak warmly of,speak well of,spine,sponsor,sprit,staff,stalwart,stand behind,stand up for,stand-in,standby,standing rigging,stave,stay,stick,stick up for,stiffener,strengthener,submit,subscribe,substitute,successful advocate,suggest,support,supporter,surrogate,sustain,sustainer,sweet-talk,sympathizer,tout,understudy,uphold,upholder,urge,urge reasons for,utility man,vicar,vicar general,vice,vicegerent,vindicate,vindicator,votary,walking stick,well-wisher,wheedle,whitewasher,work on 391 - aegis,abetment,advocacy,arm guard,armament,armor,auspices,backing,backstop,bard,beaver,brassard,breastplate,buckler,buffer,bulletproof vest,bulwark,bumper,care,championship,charity,coif,contraceptive,copyright,corselet,countenance,crash helmet,cuirass,cushion,dashboard,dodger,encouragement,face mask,favor,fender,finger guard,foot guard,fosterage,fuse,gas mask,gauntlet,goggles,goodwill,governor,guard,guardrail,guidance,habergeon,hand guard,handrail,hard hat,hauberk,headpiece,helm,helmet,insulation,interest,interlock,jamb,knee guard,knuckle guard,laminated glass,life preserver,lifeline,lightning conductor,lightning rod,lorica,mail,mask,mudguard,nasal,nose guard,pad,padding,palladium,patent,patronage,pilot,plate,preventive,prophylactic,protection,protective clothing,protective umbrella,rondel,safeguard,safety,safety glass,safety plug,safety rail,safety shoes,safety switch,safety valve,screen,seat belt,seconding,security,shield,shin guard,sponsorship,sun helmet,sympathy,tutelage,umbrella,visor,ward,windscreen,windshield 392 - aeon,Platonic year,age,ages,annus magnus,blue moon,century,cycle,cycle of indiction,date,day,eternity,florid,generation,great year,indiction,long,long time,long while,month of Sundays,right smart spell,time,years,years on end 393 - aerate,aerify,air,air out,air-condition,air-cool,airify,atomize,beat,carbonate,chlorinate,cream,cross-ventilate,distill,emit,etherify,etherize,evaporate,exhale,fan,fluidize,foam,fractionate,freshen,froth,fume,fumigate,gasify,give off,hydrogenate,lather,mantle,oxygenate,oxygenize,perfume,reek,refresh,scum,send out,smoke,spray,spume,steam,sublimate,sublime,sud,suds,vaporize,ventilate,volatilize,whip,whisk,wind,winnow 394 - aerial,Olympian,aerials,aeriform,aerodynamic,aerophysical,aerospace,aerostatic,aerotechnical,aery,air-built,air-conscious,air-minded,air-wise,airish,airlike,airsick,airworthy,airy,alfresco,altitudinous,ascending,aspiring,atmospheric,aviational,breezy,chimeric,cloud-born,cloud-built,cloud-woven,colossal,directional antenna,dish,dominating,doublet,elevated,eminent,ethereal,exalted,exposed,fuming,fumy,gaseous,gasified,gasiform,gaslike,gassy,haughty,high,high-pitched,high-reaching,high-set,high-up,immaterial,impalpable,imperceptible,imponderable,incorporeal,light,lofty,mast,mephitic,miasmal,miasmatic,miasmic,monumental,mounting,open-air,outtopping,overlooking,overtopping,oxyacetylene,oxygenous,ozonic,phantasmal,pneumatic,prominent,reeking,reeky,reflector,rhombic antenna,roomy,skyscraping,smoking,smoky,soaring,spiring,steaming,steamy,steep,sublime,superlative,supernal,topless,toplofty,topping,tower,towering,towery,transmitting antenna,tropospheric,uplifted,upreared,vaporing,vaporish,vaporlike,vaporous,vapory,wave antenna 395 - aerialist,acrobat,bareback rider,circus artist,clown,contortionist,equestrian director,equilibrist,flier,funambulist,gymnast,high wire artist,high-wire artist,juggler,lion tamer,palaestrian,pancratiast,ringmaster,ropewalker,slack-rope artist,snake charmer,sword swallower,tightrope walker,trapeze artist,tumbler,weightlifter 396 - aerobatics,acrobatics,banking,chandelle,crabbing,dive,diving,fishtailing,glide,nose dive,power dive,pull-up,pullout,pushdown,rolling,sideslip,spiral,stall,stunting,tactical maneuvers,volplane,zoom 397 - aerodynamic,aerial,aerographic,aerologic,aeromechanical,aerophysical,aerospace,aerostatic,aerotechnical,aery,air-conscious,air-minded,air-wise,airsick,airworthy,airy,aviational,ethereal,fuming,fumy,gaseous,gasified,gasiform,gaslike,gassy,mephitic,miasmal,miasmatic,miasmic,oxyacetylene,oxygenous,ozonic,pneumatic,pneumatological,reeking,reeky,smoking,smoky,steaming,steamy,vaporing,vaporish,vaporlike,vaporous,vapory 398 - aerodynamics,aerial photography,aeroballistics,aerogeology,aerography,aerology,aeromechanics,aeromedicine,aerometry,aeronautical meteorology,aerophotography,aerophysics,aeroscopy,aerospace research,aerostatics,air,atmosphere,aviation technology,avionics,barodynamics,biodynamics,climatology,dynamics,fluid,fluid dynamics,gas,geodynamics,halogen gas,hydrodynamics,hydrostatics,inert gas,kinematics,kinesiology,kinetics,magnetohydrodynamics,meteorology,myodynamics,photometry,pneumatics,rocketry,supersonics,thermodynamics,zoodynamics 399 - aerography,aerial photography,aeroballistics,aerodynamics,aerogeology,aerology,aeromechanics,aeromedicine,aerometry,aeronautical meteorology,aerophotography,aerophysics,aeroscopy,aerospace research,aerostatics,anemology,aviation technology,avionics,barometry,climatography,climatology,forecasting,hydrostatics,kinematics,kinetics,long-range forecasting,meteorology,microclimatology,nephology,photometry,pneumatics,rocketry,supersonics,weatherology 400 - aerology,aerial photography,aeroballistics,aerodynamics,aerogeology,aerography,aeromechanics,aeromedicine,aerometry,aeronautical meteorology,aerophotography,aerophysics,aeroscopy,aerospace research,aerostatics,anemology,aviation technology,avionics,barometry,climatography,climatology,forecasting,hydrostatics,kinematics,kinetics,long-range forecasting,meteorology,microclimatology,nephology,photometry,pneumatics,rocketry,supersonics,weatherology 401 - aeromechanics,aerial photography,aeroballistics,aerodynamics,aerogeology,aerography,aerology,aeromedicine,aerometry,aeronautical meteorology,aerophotography,aerophysics,aeroscopy,aerospace research,aerostatics,animal mechanics,aviation technology,avionics,biomechanics,celestial mechanics,climatology,electromechanics,fluid mechanics,hydromechanics,hydrostatics,kinematics,kinetics,leverage,mechanical arts,mechanics,meteorology,photometry,pneumatics,quantum mechanics,rational mechanics,rocketry,servomechanics,statistical mechanics,supersonics,wave mechanics,zoomechanics 402 - aeromedicine,aerial photography,aeroballistics,aerodynamics,aerogeology,aerography,aerology,aeromechanics,aerometry,aeronautical meteorology,aerophotography,aerophysics,aeroscopy,aerospace research,aerostatics,aviation technology,avionics,climatology,hydrostatics,kinematics,kinetics,meteorology,photometry,pneumatics,rocketry,supersonics 403 - aeronaut,aeroplaner,aeroplanist,air pilot,airplanist,astronaut,aviator,barnstormer,birdman,captain,cloud seeder,commercial pilot,copilot,crop-duster,flier,instructor,jet jockey,licensed pilot,pilot,rainmaker,stunt flier,stunt man,test pilot,wingman 404 - aeronautics,air service,airline,astronautics,aviation,ballooning,blind flying,cloud-seeding,commercial aviation,contact flying,cruising,flight,flying,general aviation,gliding,pilotage,sailing,sailplaning,soaring,winging 405 - aeroplane,adjustable propeller,afterburner,aileron,air controls,air scoop,aircraft,airlift,airplane,airscrew,astrodome,avion,balloon,bay,be airborne,beaching gear,blister,body,bomb bay,bonnet,bow,brace wire,bubble,bubble canopy,bubble hood,bucket seat,cabin,canopy,cat strip,chassis,chin,coaxial propellers,cockpit,coke-bottle fuselage,control surface,control wires,cowl,crew compartment,cruise,deck,dihedral,dorsal airdome,drift,dual controls,ejection seat,ejector,elevator,elevon,ferry,fin,finger patch,flap,flit,float,fly,flying machine,fuel injector,fuselage,gas-shaft hood,glide,gore,gull wing,gun mount,hatch,heavier-than-air craft,hood,hop,hover,hydroplane,instruments,jackstay,jet,jet pipe,keel,kite,laminar-flow system,landing gear,launching gear,launching tube,leading edge,longeron,nacelle,navigate,nose,pants,parasol wing,plane,pod,pontoon,prop,propeller,rudder,rudder bar,sail,sailplane,seaplane,ship,ski landing gear,slitwing,soar,spinner,spoiler,spray strip,stabilizator,stabilizer,stay,stick,stick control,stressed skin,strut,tail,tail plane,tail skid,take the air,take wing,truss,turret,undercarriage,volplane,wheel parts,wing,wing radiator 406 - aerosol,aspergil,aspergillum,atomizer,clyster,concentrate sprayer,douche,enema,evaporator,fountain syringe,mist concentrate sprayer,needle bath,nozzle,retort,shower,shower bath,shower head,sparge,sparger,spray,spray can,sprayer,sprinkler,sprinkler head,sprinkling system,still,syringe,vaporizer,watercart,watering can,watering pot 407 - aerospace,CAT,aerial,aerophysical,aerosphere,aerotechnical,air hole,air pocket,air-conscious,air-minded,air-wise,airsick,airspace,airworthy,aviational,bump,ceiling,crosswind,empty space,favorable wind,fog,front,head wind,high-pressure area,hole,ionosphere,jetstream,low-pressure area,overcast,pocket,roughness,soup,space,stratosphere,substratosphere,tail wind,tropopause,troposphere,trough,turbulence,visibility,visibility zero 408 - aerosphere,CAT,aerospace,air hole,air pocket,airspace,atmosphere,biosphere,bump,ceiling,crosswind,ecosphere,empty space,favorable wind,fog,front,gaseous envelope,head wind,high-pressure area,hole,ionosphere,jetstream,lift,low-pressure area,noosphere,overcast,pocket,roughness,soup,space,stratosphere,substratosphere,tail wind,tropopause,troposphere,trough,turbulence,visibility,visibility zero,welkin 409 - aerostatics,aerial photography,aeroballistics,aerodynamics,aerogeology,aerography,aerology,aeromechanics,aeromedicine,aerometry,aeronautical meteorology,aerophotography,aerophysics,aeroscopy,aerospace research,aviation technology,avionics,biostatics,climatology,electrostatics,gyrostatics,hydrostatics,kinematics,kinetics,meteorology,photometry,pneumatics,rheostatics,rocketry,statics,stereostatics,supersonics,thermostatics 410 - aery,aerial,aeriform,aerodynamic,aerostatic,airish,airlike,airy,alfresco,atmospheric,breezy,ethereal,exposed,fuming,fumy,gaseous,gasified,gasiform,gaslike,gassy,light,mephitic,miasmal,miasmatic,miasmic,open-air,oxyacetylene,oxygenous,ozonic,pneumatic,reeking,reeky,roomy,smoking,smoky,steaming,steamy,tropospheric,vaporing,vaporish,vaporlike,vaporous,vapory 411 - aesthetic,Attic,aesthetically appealing,art-conscious,artistic,arty,attractive,beauteous,beautiful,chaste,choice,classic,cultivated,discriminating,elegant,endowed with beauty,excellent,exquisite,eye-filling,fine,flowerlike,graceful,gracile,handsome,heavy,in good taste,lovely,of choice,of consummate art,of quality,ornamental,painterly,pleasing,pretty,pulchritudinous,pure,quiet,refined,restrained,sensitive,simple,subdued,tasteful,unaffected,understated,unobtrusive,well-chosen 412 - aesthetics,artistic taste,axiology,casuistry,connoisseurship,cosmology,dilettantism,epicureanism,epicurism,epistemology,ethics,expertise,expertism,first philosophy,friandise,gastronomy,gnosiology,logic,mental philosophy,metaphysics,moral philosophy,ontology,phenomenology,philosophastry,philosophic doctrine,philosophic system,philosophic theory,philosophical inquiry,philosophical speculation,philosophy,school of philosophy,school of thought,science of being,sophistry,theory of beauty,theory of knowledge,value theory,virtu,virtuosity 413 - aestival,arctic,autumn,autumnal,beryl-green,berylline,blood-hot,blood-warm,blue-green,bluish-green,boreal,brumal,calid,canicular,chartreuse,chloranemic,chlorine,chlorotic,citrine,citrinous,emerald,equatorial,equinoctial,foliaged,genial,glaucescent,glaucous,glaucous-green,grassy,green,green as grass,green-blue,greenish,greenish-blue,greenish-yellow,greensick,hibernal,hiemal,holly,ivy,ivy-green,leafy,leaved,luke,lukewarm,midsummer,midwinter,mild,olivaceous,olive,olive-green,out of season,porraceous,room-temperature,seasonal,smaragdine,solstitial,spring,springlike,subtropical,summer,summerlike,summerly,summery,sunny,sunshiny,temperate,tepid,thermal,thermic,toasty,tropical,unfrozen,verdant,verdurous,vernal,vernant,vert,virescent,warm,warm as toast,warmish,winter,winterlike,wintery,wintry,yellowish-green 414 - affable,Bohemian,accommodating,agreeable,amiable,amicable,attentive,benevolent,benign,benignant,blissful,bonhomous,casual,cheerful,civil,clubbable,clubbish,clubby,communicative,companionable,companionate,compatible,complaisant,compliant,congenial,considerate,cordial,courteous,decent,deferential,degage,desirable,dulcet,easy,easy-natured,easygoing,en rapport,enjoyable,fair,fair and pleasant,familiar,felicific,felicitous,fine,fit for society,folksy,fond of society,free and easy,friendly,generous,genial,gentle,good,good-humored,good-natured,good-tempered,goodly,graceful,gracious,grateful,gratifying,gregarious,harmonious,haymish,heart-warming,homely,homey,honeyed,hospitable,indulgent,informal,irregular,kind,kindly,likable,loose,loquacious,mellifluous,mellow,mild,natural,nice,obliging,offhand,offhanded,overindulgent,overpermissive,permissive,plain,pleasant,pleasing,pleasurable,pleasure-giving,pleasureful,polite,relaxed,respectful,rewarding,satisfying,simple,sociable,social,social-minded,solicitous,suave,sweet,sweet-tempered,tactful,talkative,thoughtful,unaffected,unassuming,unceremonious,unconstrained,unconventional,unofficial,unstudied,urbane,welcome,well-natured 415 - affair,activities,activity,adulterous affair,adultery,affairs,amor,amour,article,artifact,at home,attempt,bag,beeswax,business,care,commerce,commitment,concern,concernment,contract,cuckoldry,cup of tea,deal,dingus,dofunny,dohickey,doing,dojigger,dojiggy,domajig,domajigger,doodad,dowhacky,effort,employ,employment,engagement,entanglement,enterprise,eppes,eternal triangle,etwas,event,fling,flirtation,flumadiddle,forbidden love,function,gadget,gathering,get-together,gigamaree,gimmick,gizmo,hanky-panky,happening,hickey,hootenanny,hootmalalie,illicit love,incident,infidelity,interest,intrigue,issue,jigger,job,labor,levee,liaison,lookout,love,love affair,material thing,matinee,matter,object,obligation,occasions,occupation,occurrence,operation,palaver,pie,plan,proceeding,program,project,proposition,quelque chose,reception,relationship,responsibility,reunion,romance,romantic tie,salon,service,sociable,social,social affair,social gathering,soiree,something,task,thing,thingum,thingumabob,thingumadad,thingumadoodle,thingumajig,thingumajigger,thingumaree,thingummy,topic,transaction,triangle,undertaking,unfaithfulness,venture,wake,whatchy,widget,work 416 - affairs,accord,activities,activity,addition,adjunct,affair,affiliation,affinity,alliance,approximation,assemblage,association,bag,bond,business,circumstances,closeness,combination,commerce,concern,concernment,concerns,condition of things,conditions,connectedness,connection,contiguity,contrariety,dealings,deduction,disjunction,doings,employ,employment,enterprise,filiation,function,goings-on,homology,intercourse,interest,intimacy,junction,labor,liaison,life,link,linkage,linking,lookout,march of events,matter,matters,mutual attraction,nearness,occupation,proceedings,propinquity,proximity,rapport,relatedness,relation,relations,relationship,run of things,service,similarity,state of affairs,sympathy,the times,the world,thing,tie,tie-in,undertaking,union,what happens,work 417 - affect,act,act a part,act like,act on,act upon,actuate,adopt,affect,affection,affectivity,agitate,alter,answer to,appertain to,apply to,assume,attack,attitude,be dressed in,bear on,bear upon,belong to,bend,betoken,bias,bluff,borrow,brandish,breathe,bring,bring forth,bring forward,bring into view,bring out,bring to notice,call for,carry,change,choose,chorus,color,come home to,comprise,concentrate on,concern,connect,contain,copy,correspond to,counterfeit,cover up,crib,dangle,deal with,demonstrate,develop,disclose,display,dispose,dissemble,dissimulate,ditto,divulge,do,do a bit,do like,dramatize,draw,drive,echo,embody,emotion,emotional charge,emotional shade,emotivity,enact,entail,evidence,evince,exhibit,experience,expose to view,express,fake,feeling,feeling tone,feign,flaunt,flourish,focus on,foreboding,forge,four-flush,gammon,get,give sign,give token,go deep,go like,go through one,grieve,gut reaction,hang out,haunt,have connection with,have on,heartthrob,highlight,histrionize,hit,hit the mark,hoke,hoke up,illuminate,imitate,impel,implicate,imply,impress,impress forcibly,impression,incarnate,incline,indicate,induce,influence,inspire,interest,involve,lay hold of,lead,lead to,let on,let on like,liaise with,link with,make a pretense,make an impression,make as if,make believe,make clear,make like,make out like,make plain,manifest,materialize,mean,melt,melt the heart,mental attitude,mirror,modify,move,operate on,opinion,overact,parade,passion,penetrate,perform,persuade,pertain to,perturb,pierce,plagiarize,play,play a part,play a scene,play possum,playact,position,posture,predispose,present,presentiment,presume,presuppose,pretend,pretend to,produce,profess,profound sense,prompt,psychology,put on,put on airs,reach,reaction,reecho,refer to,reflect,regard,relate to,repeat,represent,require,resort,respect,response,reveal,rock,roll out,sadden,select,sensation,sense,sentiment,set forth,sham,show,show forth,simulate,sink in,smart,smite,soften,soften up,sport,spotlight,stance,sting,stir,strike,strike hard,strike home,subsume,sway,take,take in,tell,tie in with,tinge,token,tone,touch,touch a chord,touch upon,transform,traumatize,treat,treat of,trot out,trouble,tug the heartstrings,undercurrent,unfold,upset,use,wave,way of thinking,wear,wear down,weigh with,work 418 - affectation,Barnumism,Gongorism,act,acting,action,actions,activity,acts,address,affectedness,air,airs,appearance,artfulness,artifice,artificiality,attitudinizing,bearing,bedizenment,behavior,behavior pattern,behavioral norm,behavioral science,big talk,bluff,bluffing,carriage,cheating,color,coloring,command of language,comportment,conduct,convolution,culture pattern,custom,deception,delusion,demeanor,deportment,disguise,dissemblance,dissembling,dissimulation,doing,doings,euphemism,euphuism,exaggeration,expression of ideas,facade,face,fakery,faking,false air,false front,false show,falsity,fashion,feeling for words,feigning,feint,flashiness,flatulence,flatulency,folkway,form of speech,four-flushing,fraud,front,fulsomeness,garishness,gaudiness,gestures,gilt,gloss,goings-on,grace of expression,grandiloquence,grandioseness,grandiosity,guise,high-flown diction,humbug,humbuggery,hyperelegance,imposture,inflatedness,inflation,insincerity,lexiphanicism,literary style,loftiness,lugs,luridness,magniloquence,maintien,manner,manner of speaking,manneredness,mannerism,manners,masquerade,mere rhetoric,meretriciousness,method,methodology,methods,mien,mode,mode of expression,modus vivendi,motions,movements,moves,observable behavior,orotundity,ostentation,ostentatious complexity,outward show,overelaboration,overelegance,overniceness,overrefinement,pattern,peculiarity,personal style,platitudinous ponderosity,playacting,poise,polysyllabic profundity,pomposity,pompous prolixity,pompousness,pontification,port,pose,posing,posture,posturing,practice,praxis,preciosity,preciousness,presence,pretense,pretension,pretentiousness,pretext,procedure,proceeding,prose run mad,purism,representation,rhetoric,rhetoricalness,seeming,semblance,sensationalism,sense of language,sententiousness,sham,show,showiness,simulacrum,simulation,social science,speciousness,stiltedness,strain,style,stylistic analysis,stylistics,swelling utterance,swollen phrase,swollenness,tactics,tall talk,the grand style,the plain style,the sublime,tone,tortuosity,tortuousness,trick,tumidity,tumidness,turgescence,turgidity,unnaturalness,varnish,vein,way,way of life,ways,window dressing 419 - affected,Gongoresque,Gongoristic,Johnsonian,Marinistic,Tartuffian,Tartuffish,afflicted,agonized,apocryphal,artificial,assumed,attacked,awkward,bastard,bedizened,big-sounding,bogus,brummagem,canting,chichi,colorable,colored,concerned,contrived,convoluted,counterfeit,counterfeited,declamatory,devoured by,diseased,distorted,distressed,dressed up,dummy,elaborate,elaborated,elevated,embellished,embroidered,ersatz,euphuistic,factitious,fake,faked,false,falsified,feigned,fictitious,fictive,flamboyant,flaming,flashy,flaunting,fulsome,garbled,garish,gaudy,goody,goody-goody,grandiloquent,grandiose,grandisonant,gripped,high-flowing,high-flown,high-flying,high-sounding,highfalutin,histrionic,holier-than-thou,hollow,hurt,hyperelegant,hypocritical,illegitimate,imbued with,imitation,implicated,impressed,impressed with,influenced,inkhorn,insincere,involved,junky,la-di-da,labyrinthine,lexiphanic,lofty,lurid,magniloquent,make-believe,man-made,maniere,mannered,mealymouthed,meretricious,mincing,mock,moved,obsessed,obsessed by,orotund,ostentatious,overacted,overdone,overelaborate,overelegant,overinvolved,overnice,overrefined,overwrought,pedantic,penetrated with,perverted,pharisaic,phony,pietistic,pinchbeck,pious,pompous,precieuse,precieux,precious,pretended,pretentious,pseudo,put-on,quasi,queer,racked,rhetorical,sanctified,sanctimonious,seized,seized with,self-conscious,self-righteous,self-styled,sensational,sensationalistic,sententious,sham,shoddy,showy,simulated,sniveling,so-called,soi-disant,sonorous,specious,spurious,stagy,stiff,stilted,stirred,stricken,struck,studied,supposititious,swayed,synthetic,tall,theatrical,tin,tinsel,titivated,torn,tortuous,tortured,touched,troubled,twisted,unauthentic,unctuous,ungenuine,unnatural,unreal,upset,warped,wracked 420 - affecting,afflictive,bitter,bleak,cheerless,comfortless,deplorable,depressing,depressive,discomforting,dismal,dismaying,distressful,distressing,disturbing,doleful,dolorific,dolorogenic,dolorous,dreary,emotive,grievous,heartrending,impressive,joyless,lamentable,mournful,moving,painful,pathetic,piteous,pitiable,pitiful,poignant,regrettable,rueful,sad,saddening,sharp,sore,sorrowful,touching,troubling,uncomfortable,woebegone,woeful,wretched 421 - affection,Amor,Christian love,Eros,Platonic love,abnormality,access,acute disease,admiration,adoration,adore,affect,affectionateness,affections,affective faculty,affectivity,affliction,agape,ailment,allergic disease,allergy,amativeness,amorousness,ardency,ardor,atrophy,attachment,attack,attention,attribute,bacterial disease,bent,bias,birth defect,blight,bodily love,brotherly love,cardiovascular disease,caritas,character,characteristic,charity,chronic disease,circulatory disease,complaint,complication,concern,condition,congenital defect,conjugal love,crush,defect,deficiency disease,deformity,degenerative disease,demonstrativeness,derangement,desire,devotion,disability,disease,disorder,distemper,disturbance,doting,ecstasy,emotion,emotional charge,emotional life,emotional shade,emotions,enchantment,endemic,endemic disease,endocrine disease,enjoying,epidemic disease,experience,faculty,faithful love,fancy,feature,feeling,feeling tone,feelings,fervor,finer feelings,flame,fondness,foreboding,free love,free-lovism,functional disease,fungus disease,gastrointestinal disease,genetic disease,goatishness,goodwill,gust,gusto,gut reaction,handicap,heart,heartthrob,hereditary disease,hero worship,high regard,horniness,iatrogenic disease,idolatry,idolism,idolization,ill,illness,impression,indisposition,infatuation,infectious disease,infirmity,interest,lasciviousness,leaning,libido,like,likes,liking,love,lovelornness,lovemaking,lovesickness,malady,malaise,mark,married love,morbidity,morbus,muscular disease,neurological disease,nutritional disease,occupational disease,organic disease,pandemic disease,paroxysm,passion,passions,pathological condition,pathology,penchant,physical love,plant disease,popular regard,popularity,predilection,presentiment,profound sense,propensity,property,protozoan disease,psychosomatic disease,rapture,reaction,regard,relish,respiratory disease,response,rockiness,romanticism,savor,secondary disease,seediness,sensation,sense,sensibilities,sentiment,sentimentality,sentiments,sex,sexiness,sexual love,shine,sickishness,sickness,signs,spell,spiritual love,susceptibilities,susceptibility,sympathies,sympathy,symptomatology,symptomology,symptoms,syndrome,taste,tender feeling,tender passion,tender susceptibilities,tenderness,the pip,trait,truelove,turn,undercurrent,urogenital disease,uxoriousness,virtue,virus disease,warmth,wasting disease,weakness,worm disease,worship,yearning 422 - affectionate,Christian,Christlike,Christly,adoring,benign,benignant,brotherly,caring,compassionate,conjugal,dear,decent,demonstrative,devoted,doting,faithful,filial,fond,fraternal,good,gracious,human,humane,husbandly,kind,kindhearted,kindly,kindly-disposed,languishing,lovelorn,lovesick,lovesome,loving,maternal,melting,nice,parental,paternal,romantic,sentimental,soft,softhearted,sympathetic,sympathizing,tender,tenderhearted,uxorious,warm,warmhearted,wifely 423 - affianced,assured,betrothed,bound,bride-to-be,committed,compromised,contracted,engaged,fiance,fiancee,future,guaranteed,intended,obligated,pledged,plighted,promised,sworn,underwritten,warranted 424 - affidavit,admission,affirmation,allegation,assertion,asseveration,attest,attestation,authority,authorization,averment,avouchment,avowal,bill,bill of complaint,bill of health,certificate,certificate of proficiency,certification,claim,complaint,compurgation,credential,declaration,deposition,diploma,disclosure,instrument in proof,legal evidence,libel,manifesto,narratio,navicert,nolle prosequi,nonsuit,notarized statement,note,position paper,profession,sheepskin,solemn declaration,statement,statement of belief,statement of facts,statement under oath,swearing,sworn evidence,sworn statement,sworn testimony,testamur,testimonial,testimonium,testimony,ticket,visa,vise,voucher,vouching,warrant,warranty,witness,word 425 - affiliate,Americanize,Anglicize,Greek,accept,acculturate,acculturize,act in concert,act together,admit,adopt,affiliate to,affiliate with,affiliated,allied,ally,amalgamate,approve,arm,assimilate,associate,associated,band,band together,be in cahoots,be in league,belonger,bound,bracketed,branch,branch office,brother,bunch,bunch up,cabal,cabalistic,card-carrier,card-carrying member,cardholder,carry,cement a union,centralize,chapter,charter member,club,club together,clubber,clubman,clubwoman,coact,coalesce,collaborate,collateral,collude,combine,come into,come together,committeeman,comrade,concert,concord,concur,confederate,confederated,confer citizenship,conjugate,connected,consociate,consolidate,conspiratorial,conspire,conventioneer,conventioner,conventionist,cooperate,corporate,correlated,couple,coupled,creep in,derive from,division,do business with,dues-paying member,embrace,enleagued,enlist,enlistee,enroll,enrollee,enter,espouse,father,federalize,federate,federated,fellow,filiate to,fraternity man,fuse,gang,gang up,get heads together,get into,get together,go in for,go in partners,go in partnership,go into,go native,go partners,guildsman,hang together,harmonize,hold together,honorary member,hook up,hook up with,implicated,in cahoots,in league,in partnership,in with,initiate,insider,interlinked,interlocked,interrelated,involved,join,join forces,join fortunes with,join in,join together,join up,join up with,join with,joined,joiner,keep together,knotted,league,league together,league with,leagued,life member,linked,local,lodge,make common cause,married,marry,member,merge,naturalize,of that ilk,of that kind,offshoot,one of us,organ,organize,pair,pair off,paired,parallel,partner,partners with,pass,play ball,pledge,post,pull together,put heads together,ratify,reciprocate,related,sign on,sign up,sister,sneak in,socius,sorority girl,sorority woman,spliced,stand together,stand up with,take out membership,take up,take up membership,team up,team up with,team with,teamed,throw in together,throw in with,tie in,tie in with,tie up,tie up with,tied,trace to,twinned,unionize,unite,unite efforts,unite with,wed,wedded,wing,work together,yoked 426 - affiliated,affiliate,agnate,akin,allied,associate,associated,attached,avuncular,bound,bracketed,cabalistic,closely related,cognate,collateral,combined,confederate,confederated,congeneric,conjugate,connate,connatural,connected,consanguine,consanguinean,consanguineous,conspiratorial,corporate,correlated,coupled,distantly related,enate,enleagued,federate,federated,foster,german,germane,implicated,in cahoots,in league,in partnership,in with,incident,interlinked,interlocked,interrelated,involved,joined,kindred,knotted,leagued,linked,married,matrilateral,matrilineal,matroclinous,novercal,of that ilk,of that kind,of the blood,paired,parallel,partners with,patrilateral,patrilineal,patroclinous,related,sib,sibling,spliced,teamed,tied,twinned,united,uterine,wed,wedded,yoked 427 - affiliation,Americanization,Anschluss,acceptance,accord,acculturation,addition,adjunct,admission,adoption,affairs,affinity,agglomeration,aggregation,agnation,agreement,alignment,alliance,amalgamation,ancestry,apparentation,approximation,assemblage,assimilation,association,birth,blend,blending,blood,blood relationship,bloodline,body,bond,branch,breed,brotherhood,brothership,cabal,cahoots,cartel,centralization,church,citizenship by naturalization,citizenship papers,closeness,coadunation,coalescence,coalition,cognation,colleagueship,collegialism,collegiality,combination,combine,combo,common ancestry,common descent,communion,community,companionship,company,composition,comradeship,confederacy,confederation,confraternity,congeries,conglomeration,conjugation,conjunction,connectedness,connection,consanguinity,consociation,consolidation,conspiracy,contiguity,contrariety,cooperation,copartnership,copartnery,cousinhood,cousinship,culture shock,dealings,deduction,denomination,derivation,descent,direct line,disjunction,distaff side,division,ecumenism,embodiment,embracement,enation,encompassment,enosis,espousal,extraction,faction,family,fatherhood,federalization,federation,fellowship,female line,filiation,fraternalism,fraternity,fraternization,freemasonry,fusion,group,homology,hookup,house,inclusion,incorporation,integration,intercourse,intimacy,junction,junta,kindred,kinship,league,liaison,line,line of descent,lineage,link,linkage,linking,male line,marriage,maternity,matrilineage,matriliny,matrisib,matrocliny,meld,melding,membership,merger,motherhood,mutual attraction,nationalization,naturalization,naturalized citizenship,nearness,offshoot,order,organization,package,package deal,papers,partaking,participation,partnership,party,paternity,patrilineage,patriliny,patrisib,patrocliny,persuasion,phylum,propinquity,proximity,race,rapport,relatedness,relation,relations,relationship,religious order,schism,school,sect,sectarism,seed,segment,sept,sharing,sibship,side,similarity,sisterhood,sistership,society,sodality,solidification,sorority,spear side,spindle side,stem,stirps,stock,strain,succession,sword side,sympathy,syncretism,syndication,syneresis,synthesis,tie,tie-in,tie-up,ties of blood,unification,union,variety,version,wedding 428 - affinity,a thing for,accord,accordance,addition,adduction,adjunct,affairs,affiliation,agape,agreement,alikeness,alliance,allurement,amity,analogy,approximation,aptitude,aptness,assemblage,assent,association,attractance,attraction,attractiveness,attractivity,bag,bent,bias,bond,bonds of harmony,brotherly love,capillarity,capillary attraction,caritas,cast,cement of friendship,centripetal force,charity,chorus,chosen kind,chumminess,closeness,coherence,coincidence,combination,communion,community,community of interests,comparison,compatibility,conatus,concert,concord,concordance,conduciveness,conformance,conformation,conformity,congeneracy,congeniality,congruence,congruency,congruity,connateness,connaturality,connaturalness,connature,connectedness,connection,consistency,consonance,consort,contiguity,contrariety,cooperation,correspondence,cup of tea,dealings,deduction,delight,diathesis,disjunction,disposition,drag,draw,druthers,eagerness,empathy,equivalence,esprit,esprit de corps,familiarity,family connection,family favor,family likeness,fancy,fascination,favor,feeling for,feeling of identity,fellow feeling,fellowship,filiation,fondness,frictionlessness,friendliness,generic resemblance,good vibes,good vibrations,gravitation,gravity,happy family,harmony,homology,identity,inclination,inseparableness,intercourse,intersection,intimacy,intimate acquaintance,junction,kinship,leaning,liability,liaison,like-mindedness,liking,link,linkage,linking,love,magnetism,marital affinity,marriage connection,marriage relationship,mateyness,mutual affinity,mutual attraction,mutuality,nearness,oneness,overlap,palliness,parallelism,partiality,particular choice,peace,penchant,personal choice,predilection,predisposition,preference,prejudice,prepossession,probability,proclivity,proneness,propensity,propinquity,proximity,pull,pulling power,rapport,rapprochement,readiness,reciprocity,relatedness,relation,relations,relationship,resemblance,self-consistency,semblance,sensitivity to,sharing,similarity,simile,similitude,soft spot,solidarity,special affinity,style,susceptibility,symmetry,sympathy,symphony,sync,synchronism,tally,taste,team spirit,tendency,thing,tie,tie-in,timing,traction,tropism,tug,turn,twist,type,understanding,uniformity,union,unison,unisonance,unity,warp,weakness,willingness 429 - affirm,OK,accept,accredit,acknowledge,allege,amen,announce,annunciate,approve,argue,assert,assever,asseverate,attest,authenticate,authorize,autograph,aver,avouch,avow,back,back up,bear out,bear witness,bolster,buttress,certify,circumstantiate,confess,confirm,contend,corroborate,cosign,countersign,declare,declare roundly,depone,depose,disclose,document,endorse,enunciate,express,express the belief,fortify,give evidence,give notice,give permission,give the go-ahead,give the imprimatur,give thumbs up,guarantee,have,hold,initial,insist,issue a manifesto,issue a statement,lay down,maintain,make a statement,make an announcement,manifesto,notarize,nuncupate,pass,pass on,pass upon,permit,predicate,probate,proclaim,profess,pronounce,protest,prove,publish a manifesto,put,put it,quote,ratify,recite,reinforce,relate,report,rubber stamp,sanction,say,say amen to,seal,second,set down,sign,sign and seal,speak,speak out,speak up,stand for,stand on,state,strengthen,submit,subscribe to,substantiate,support,sustain,swear,swear and affirm,swear to,testify,undergird,undersign,underwrite,uphold,validate,verify,visa,vise,vouch,vow,warrant,witness 430 - affirmation,John Hancock,OK,Parthian shot,a priori principle,acceptance,accord,acquiescence,address,admission,affidavit,affirmance,affirmative,affirmative voice,agreement,allegation,answer,apostrophe,approbation,approval,apriorism,assent,assertion,asseveration,assumed position,assumption,attest,attestation,authentication,authorization,averment,avouchment,avowal,axiom,aye,backing,backing up,basis,bearing out,blessing,bolstering,buttressing,categorical proposition,certification,circumstantiation,comment,compliance,compurgation,confirmation,connivance,consent,corroboration,corroboratory evidence,countersignature,crack,data,declaration,deposition,dictum,disclosure,documentation,eagerness,endorsement,exclamation,expression,first principles,fortification,foundation,go-ahead,green light,greeting,ground,hypothesis,hypothesis ad hoc,imprimatur,instrument in proof,interjection,legal evidence,lemma,major premise,mention,minor premise,nod,notarization,notarized statement,note,observation,okay,permission,philosopheme,philosophical proposition,phrase,position,postulate,postulation,postulatum,premise,presupposition,profession,promptitude,promptness,pronouncement,proof,proposition,propositional function,proving,proving out,question,ratification,readiness,reflection,reinforcement,remark,rubber stamp,sanction,say,saying,seal,sentence,sigil,signature,signet,stamp,stamp of approval,statement,statement under oath,strengthening,subjoinder,submission,subscription,substantiation,sumption,support,supporting evidence,supposal,swearing,sworn evidence,sworn statement,sworn testimony,testimonial,testimonium,testimony,the nod,theorem,thesis,thought,truth table,truth-function,truth-value,undergirding,ungrudgingness,unloathness,unreluctance,utterance,validation,verification,visa,vise,vouching,warrant,willingness,witness,word 431 - affirmative,OK,absolute,acceptance,accord,accordant,acquiescence,acquiescent,affirmation,affirmative attitude,affirmative voice,affirmativeness,affirmatory,agree,agreeable,agreeing,agreement,amen,answerable,approbation,approval,approving,assent,assenting,assertative,assertional,assertive,at one,aye,blessing,coexistent,coexisting,coherent,coincident,coinciding,commensurate,compatible,compliable,compliance,compliant,con,concordant,concurring,conformable,congenial,congruent,congruous,connivance,consent,consentaneous,consentient,consenting,consistent,consonant,content,cooperating,cooperative,correspondent,corresponding,decided,declarative,declaratory,eager,eagerness,emphatic,en rapport,endorsement,endorsing,equivalent,favorable,harmonious,in accord,in agreement,in rapport,in sync,in synchronization,inaccordance,inharmony,interest,like-minded,nay,no,nod,nod of assent,nothing loath,of a piece,of like mind,of one mind,okay,on all fours,permission,permissive,positive,predicational,predicative,pro,prompt,promptitude,promptness,proportionate,ratification,ratifying,readiness,ready,reconcilable,sanction,sanctioning,self-consistent,side,submission,submissive,symbiotic,synchronized,synchronous,the affirmative,the negative,thumbs-up,unanimous,ungrudging,ungrudgingness,uniform,unisonant,unisonous,unloath,unloathness,unrefusing,unreluctance,unreluctant,willing,willingness,yea,yea-saying,yes 432 - affirmed,accepted,accessible,acknowledged,admitted,alleged,allowed,announced,approved,asserted,asseverated,attested,authenticated,averred,avouched,avowed,broadcast,brought to notice,certified,circulated,common knowledge,common property,conceded,confessed,confirmed,countersigned,current,declared,deposed,diffused,disseminated,distributed,endorsed,enunciated,granted,in circulation,in print,made public,manifestoed,notarized,open,pledged,predicated,proclaimed,professed,pronounced,propagated,public,published,ratified,received,recognized,reported,sealed,signed,spread,stamped,stated,sworn,sworn and affirmed,sworn to,telecast,televised,underwritten,validated,vouched,vouched for,vowed,warranted 433 - affix,IC analysis,accidence,add,adjoin,affixation,agglutinate,allomorph,allonge,anchor,annex,append,appendix,attach,belay,bound morpheme,burden,cement,cinch,clamp,clinch,coda,codicil,commentary,complicate,conjoin,conjugation,cramp,cutting,declension,decorate,derivation,difference of form,enclitic,encumber,engraft,envoi,epilogue,fasten,fix,formative,free form,glue on,graft,grapple,hitch on,immediate constituent analysis,infix,infixation,inflection,interlineation,interpolation,join with,knit,make fast,marginalia,moor,morph,morpheme,morphemic analysis,morphemics,morphology,morphophonemics,note,ornament,paradigm,paste on,plus,postfix,postscript,prefix,prefixation,proclitic,put to,put with,radical,rider,rivet,root,saddle with,scholia,screw up,secure,set,set to,slap on,stem,subjoin,suffix,suffixation,superadd,superpose,tack on,tag,tag on,tail,theme,tighten,trice up,trim,unite with,word-formation 434 - affixation,IC analysis,accession,accidence,addition,adhesive,adjunct,adjunction,affix,agglutination,allomorph,annexation,attachment,augmentation,binding,bond,bound morpheme,clasping,conjugation,cutting,declension,derivation,difference of form,enclitic,fastener,fastening,formative,free form,girding,hooking,immediate constituent analysis,increase,infix,infixation,inflection,joining,junction,juxtaposition,knot,lashing,ligation,morph,morpheme,morphemic analysis,morphemics,morphology,morphophonemics,paradigm,prefix,prefixation,proclitic,radical,reinforcement,root,splice,stem,sticking,suffix,suffixation,superaddition,superfetation,superjunction,superposition,supplementation,theme,tieing,uniting,word-formation,zipping 435 - afflatus,Apollo,Apollo Musagetes,Bragi,Calliope,Castilian Spring,Erato,Euterpe,Geist,Helicon,Hippocrene,Muse,Parnassus,Pierian Spring,Pierides,Polyhymnia,animating spirit,animation,animus,apocalypse,creative imagination,creative thought,creativity,daemon,daimonion,demon,direct communication,divine afflatus,divine inspiration,divine revelation,enlivenment,epiphany,exhilaration,fire,fire of genius,firing,genius,infection,infusion,inspiration,moving spirit,mystical experience,mysticism,poesy,poetic genius,prophecy,revelation,soul,spirit,talent,the Muses,theophania,theophany,theopneustia,theopneusty 436 - afflict,abuse,affect,aggrieve,agitate,agonize,ail,anguish,annoy,befoul,bewitch,bite,blight,bother,break down,bring to tears,burden,burn,chafe,condemn,convulse,corrupt,crucify,crush,curse,cut,cut up,damage,debilitate,defile,deprave,derange,desolate,despoil,destroy,devitalize,disable,disadvantage,discomfort,disorder,disquiet,disserve,distress,disturb,do a mischief,do evil,do ill,do wrong,do wrong by,doom,draw tears,embitter,enervate,enfeeble,envenom,excruciate,fester,fret,gall,get into trouble,give pain,gnaw,grate,grieve,grind,gripe,harass,harm,harrow,harry,hex,hospitalize,hurt,impair,incapacitate,indispose,infect,inflame,inflict pain,injure,inundate,invalid,irk,irritate,jinx,kill by inches,lacerate,lay up,load with care,maltreat,martyr,martyrize,menace,mistreat,molest,nip,oppress,outrage,overwhelm,pain,persecute,perturb,pester,pierce,pinch,plague,play havoc with,play hob with,poison,pollute,prejudice,press,prick,prolong the agony,prostrate,put to it,put to torture,rack,rankle,rasp,reduce,rub,savage,scathe,sicken,smite,sorrow,stab,sting,strike,taint,threaten,torment,torture,trouble,try,tweak,twist,upset,vex,violate,weaken,worry,wound,wreak havoc on,wring,wrong 437 - afflicted,abashed,agitated,agonized,bent,beset,boiled,bombed,boozy,bothered,canned,cast down,chagrined,chapfallen,cockeyed,cockeyed drunk,confused,convulsed,crocked,crocko,crucified,discomfited,discomforted,discomposed,disconcerted,disquieted,distressed,disturbed,doleful,dolorous,elevated,embarrassed,fried,fuddled,half-seas over,harrowed,high,hung up,hurt,hurting,ill at ease,illuminated,in distress,in pain,lacerated,lit,lit up,loaded,lubricated,lushy,martyred,martyrized,miserable,mortified,muzzy,oiled,on the rack,organized,out of countenance,pained,perturbed,pickled,pie-eyed,pissed,pissy-eyed,plastered,polluted,potted,put-out,put-upon,racked,raddled,rueful,ruthful,shellacked,skunk-drunk,smashed,soaked,sorrowful,soused,squiffy,stewed,stinko,suffering,swacked,tanked,tight,tormented,tortured,troubled,twisted,uncomfortable,under the harrow,uneasy,upset,wounded,wretched,wrung 438 - affliction,abnormality,acute disease,adverse circumstances,adversity,affection,aggravation,ailment,allergic disease,allergy,anguish,annoyance,atrophy,bacterial disease,bane,birth defect,bitter cup,bitter draft,bitter draught,bitter pill,blight,bugbear,bummer,burden,burden of care,calamity,calvary,cankerworm of care,cardiovascular disease,care,catastrophe,chronic disease,circulatory disease,complaint,complication,condition,congenital defect,cross,crown of thorns,crucible,crushing burden,curse,death,defect,deficiency disease,deformity,degenerative disease,destruction,difficulties,difficulty,disability,disaster,disease,disorder,distemper,distress,dole,downer,encumbrance,endemic,endemic disease,endocrine disease,epidemic disease,evil,functional disease,fungus disease,gall,gall and wormwood,gastrointestinal disease,genetic disease,grief,grievance,handicap,hard knocks,hard life,hard lot,hardcase,hardship,harm,heartache,heartbreak,hereditary disease,iatrogenic disease,illness,indisposition,infectious disease,infirmity,infliction,irritation,load,malady,malaise,mischance,misery,misfortune,mishap,morbidity,morbus,muscular disease,nemesis,neurological disease,nutritional disease,occupational disease,open wound,oppression,ordeal,organic disease,pack of troubles,pain,pandemic disease,pathological condition,pathology,peck of troubles,pest,pestilence,plague,plant disease,plight,predicament,pressure,protozoan disease,psychosomatic disease,regret,respiratory disease,rigor,rockiness,rue,running sore,scourge,sea of troubles,secondary disease,seediness,sickishness,sickness,signs,sorrow,stress,stress of life,suffering,symptomatology,symptomology,symptoms,syndrome,the pip,thorn,torment,trial,tribulation,trouble,troubles,urogenital disease,vale of tears,vexation,vicissitude,virus disease,visitation,wasting disease,waters of bitterness,weight,woe,worm disease,wretchedness 439 - afflictive,aching,algetic,calamitous,dire,distasteful,distressing,galling,grievous,heartbreaking,hurtful,hurting,lamentable,painful,regrettable,sore,unfortunate,unpalatable,woeful 440 - affluence,Easy Street,abundance,afflux,affluxion,ample sufficiency,ampleness,amplitude,assets,avalanche,bed of roses,bonanza,bottomless purse,bountifulness,bountiousness,bulging purse,bumper crop,clover,comfort,concourse,confluence,conflux,copiousness,course,crosscurrent,current,defluxion,downflow,downpour,drift,driftage,ease,easy circumstances,embarras de richesses,extravagance,exuberance,felicity,fertility,fleshpots,flood,flow,flowing,fluency,flux,foison,fortune,full measure,fullness,generosity,generousness,gold,gracious life,gracious living,great abundance,great plenty,gush,handsome fortune,happiness,high income,high tax bracket,independence,indraft,indrawing,inflooding,inflow,influx,influxion,inpour,inrun,inrush,landslide,lap of luxury,lavishness,liberality,liberalness,life of ease,loaves and fishes,lots,lucre,luxuriance,luxuriousness,luxury,mammon,material wealth,maximum,mill run,millrace,money,money to burn,moneybags,more than enough,much,myriad,myriads,numerousness,onrush,onward course,opulence,opulency,outflow,outpouring,overflow,pelf,plenitude,plenteousness,plentifulness,plenty,possessions,prevalence,prodigality,productiveness,profuseness,profusion,property,prosperity,prosperousness,quantities,race,repleteness,repletion,rich harvest,rich vein,riches,richness,riot,riotousness,run,rush,scads,security,set,shower,six-figure income,spate,stream,substance,substantiality,substantialness,success,superabundance,surge,teemingness,the affluent life,the good life,thriving condition,tide,treasure,trend,undercurrent,undertow,upper bracket,upward mobility,velvet,water flow,weal,wealth,wealthiness,welfare,well-being 441 - affluent,abounding,abounding in riches,abundant,acquisitive,all-sufficing,ample,aplenty,big-rich,bottomless,bounteous,bountiful,comfortable,comfortably situated,confluent,copious,coursing,decurrent,defluent,diffluent,diffuse,disgustingly rich,easy,effuse,epidemic,exhaustless,extravagant,exuberant,fat,fertile,flowing,fluent,flush,fluxional,fluxive,frightfully rich,full,galore,generous,grasping,gulfy,gushing,in clover,in funds,in good case,in luxury,in plenty,in quantity,in the money,independent,independently rich,independently wealthy,inexhaustible,lavish,liberal,loaded,luxuriant,luxurious,made of money,many,maximal,mazy,meandering,moneyed,much,numerous,on Easy Street,on velvet,oofy,opulent,overflowing,plenitudinous,plenteous,plentiful,plenty,pouring,prevailing,prevalent,prodigal,productive,profluent,profuse,profusive,prosperous,provided for,racing,rampant,replete,rich,rich as Croesus,rife,riotous,rolling in money,running,running over,rushing,serpentine,sluggish,streaming,successful,superabundant,surging,surgy,teeming,tidal,vortical,wallowing in wealth,warm,wealthy,well provided for,well-fixed,well-found,well-furnished,well-heeled,well-off,well-provided,well-stocked,well-to-do,wholesale 442 - afflux,access,accession,advance,advent,affluence,affluxion,approach,approaching,appropinquation,approximation,appulse,coming,coming near,coming toward,concourse,confluence,conflux,course,crosscurrent,current,defluxion,downflow,downpour,drift,driftage,flow,flowing,flowing toward,fluency,flux,forthcoming,gush,imminence,indraft,indrawing,inflooding,inflow,influx,influxion,inpour,inrun,inrush,mill run,millrace,nearing,nearness,oncoming,onrush,onward course,outflow,proximation,race,run,rush,set,spate,stream,surge,tide,trend,undercurrent,undertow,water flow 443 - afford,accommodate,accommodate with,accord,administer,allot,allow,amount to,award,be loaded,bear,bear the expense,bestow,bestow on,bring,bring in,clothe,come to,come up to,command money,communicate,confer,contribute,cost,deal,deal out,dish out,dispense,dole,dole out,donate,endow,endure,extend,favor with,fetch,fill,fill up,find,fork out,fund,furnish,gift,gift with,give,give forth,give freely,give out,give up,grant,gross,hand out,have independent means,have means,have money,have the wherewithal,heap,heap upon,help to,impart,indulge with,invest,issue,keep,lavish,lavish upon,let have,maintain,make available,make provision for,manage,mete,mete out,mount up to,net,offer,pay,pay off,pour,pour on,prepare,present,produce,proffer,provide,provide for,rain,recruit,render,replenish,return,run into,run to,sacrifice,sell for,serve,set one back,shell out,shower,shower down upon,slip,snow,spare,spare the price,stand,stock,store,subsidize,supply,support,tender,total up to,undergo,vouchsafe,well afford,yield 444 - afforestation,Christmas tree farming,arboretum,arboriculture,boondocks,bush,bushveld,chase,climax forest,cloud forest,dendrology,forest,forest land,forest management,forest preserve,forestation,forestry,fringing forest,gallery forest,greenwood,hanger,index forest,jungle,jungles,logging,lumbering,national forest,palmetto barrens,park,park forest,pine barrens,primeval forest,protection forest,rain forest,reforestation,scrub,scrubland,selection forest,shrubland,silviculture,sprout forest,stand of timber,state forest,timber,timberland,tree farming,tree veld,virgin forest,wildwood,wood,woodcraft,woodland,woods 445 - affront,aggrieve,aspersion,atrocity,barb,beard,bell the cat,bid defiance,bite the bullet,brave,brazen,brazen out,breast,brickbat,bring before,bring forward,bring up,call names,call out,casus belli,challenge,confront,confront with,contempt,contumely,criticize,cut,dare,defamation,defy,despite,dig,dishonor,disoblige,dispraise,double-dare,dump,dump on,encounter,enormity,envisage,face,face out,face the music,face up,face up to,face with,fleer at,flout,flouting,front,gibe,gibe at,give offense,give offense to,give umbrage,grieve,humiliate,humiliation,hurl a brickbat,hurt,hurt the feelings,indignity,injury,insult,jeer,jeer at,jeering,jibe at,lay before,meet,meet boldly,meet head-on,meet squarely,mock,mockery,offend,offense,outdare,outrage,place before,present to,provocation,put down,put it to,put-down,raw nerve,red rag,run the gauntlet,scoff,scoff at,scream defiance,scurrility,set at defiance,set before,show fight,slap,slight,sore point,sore spot,speak out,speak up,stand up to,stare down,stem,sting,taunt,tender spot,treat with indignity,uncomplimentary remark,wound 446 - affusion,aspergation,aspersion,baptism,baptismal gown,baptismal regeneration,baptistery,baptizement,bath,bathing,bedewing,chrismal,christening,dampening,damping,deluge,dewing,drowning,flooding,font,hosing,hosing down,humidification,immersion,infusion,inundation,irrigation,laving,moistening,rinsing,sparging,spattering,splashing,splattering,spraying,sprinkling,submersion,swashing,total immersion,watering,wetting 447 - afghan,bed linen,bedclothes,bedcover,bedding,bedsheet,bedspread,blanket,buffalo robe,case,clothes,comfort,comforter,contour sheet,counterpane,cover,coverlet,coverlid,eiderdown,fitted sheet,lap robe,linen,patchwork quilt,pillow slip,pillowcase,quilt,robe,rug,sheet,sheeting,slip,spread 448 - aficionado,Maecenas,abettor,admirer,advocate,amateur,angel,apologist,attender,audience,authority,backer,buff,bug,champion,connoisseur,crank,critic,defender,dependence,devotee,dilettante,encourager,endorser,energumen,enthusiast,expert,exponent,fan,fanatic,fanatico,favorer,freak,frequenter,friend at court,habitue,haunter,infatuate,lover,lunatic fringe,mainstay,maintainer,monomaniac,nut,paranymph,partisan,patron,promoter,protagonist,pundit,reliance,savant,scholar,second,seconder,sectary,sider,specialist,spectator,sponsor,stalwart,standby,support,supporter,sustainer,sympathizer,technical expert,technician,theatergoer,upholder,visitor,votary,well-wisher,zealot 449 - afire,abandoned,ablaze,aflame,aflicker,aglow,alight,ardent,blazing,boiling over,breathless,burning,candent,candescent,comburent,committed,conflagrant,cordial,dedicated,delirious,devoted,devout,drunk,earnest,enthusiastic,excited,exuberant,faithful,febrile,fervent,fervid,fevered,feverish,fiery,fired,flagrant,flaming,flaring,flickering,flushed,fuming,glowing,guttering,hearty,heated,hot,hot-blooded,ignescent,ignited,impassioned,in a blaze,in a glow,in earnest,in flames,incandescent,inflamed,inspired,intense,intent,intent on,intoxicated,keen,kindled,live,lively,living,loyal,on fire,passionate,perfervid,red-hot,reeking,resolute,scintillant,scintillating,serious,sincere,smoking,smoldering,sparking,spirited,steaming,steamy,unextinguished,unquenched,unrestrained,vehement,vigorous,warm,white-hot,zealous 450 - afloat,aboard,accidental,accompanying,ado,adrift,afoot,all aboard,aloft,alternating,amorphous,astir,at flood,at sea,athwart the hawse,athwarthawse,awash,aweigh,bandied about,before the mast,bruited about,by sea,by water,capricious,cast-off,changeable,changeful,circumstantial,clear,current,deluged,desultory,deviable,dizzy,doing,drowned,eccentric,engulfed,erratic,eventuating,fast and loose,fickle,fitful,flickering,flighty,flitting,floating,flooded,fluctuating,freakish,free,giddy,going about,going around,going on,happening,impetuous,impulsive,in circulation,in hand,in sail,in spate,in the air,in the news,in the wind,incidental,inconsistent,inconstant,indecisive,infirm,inflood,inundated,irregular,irresolute,irresponsible,loose,made public,mazy,mercurial,moody,occasional,occurring,on,on board,on board ship,on deck,on foot,on shipboard,ongoing,overwhelmed,passing,prevailing,prevalent,rambling,reported,restless,resultant,rickety,rife,roving,rumored,scatterbrained,shaky,shapeless,shifting,shifty,shuffling,spasmodic,spineless,started,swamped,swept,taking place,talked about,topside,unaccountable,unanchored,unbound,uncertain,uncontrolled,undependable,under way,undisciplined,undone,unfastened,unfixed,unmoored,unpredictable,unreliable,unrestrained,unsettled,unstable,unstable as water,unstaid,unsteadfast,unsteady,unstuck,untied,vacillating,vagrant,variable,vicissitudinary,vicissitudinous,volatile,wandering,wanton,washed,water-borne,water-washed,wavering,wavery,wavy,wayward,whelmed,whimsical,whispered,whispered about,wishy-washy 451 - afoot,accidental,accompanying,ado,afloat,astir,by foot,circumstantial,current,doing,eventuating,footback,going on,happening,in full swing,in hand,in the wind,incidental,occasional,occurring,on,on foot,on footback,ongoing,passing,prevailing,prevalent,resultant,stirring,taking place,under way 452 - aforethought,advised,calculatedness,calculation,considered,deliberateness,deliberation,designed,express intention,expressness,forethought,intentionality,preconsideration,preconsidered,predeliberated,predeliberation,predetermination,predetermined,premeditated,premeditation,prepense,preresolution,preresolved,studied,studious,thought-out 453 - afraid,abulic,afeared,aghast,anxious,apologetic,apprehensive,averse,backward,cautious,chary,chicken,chickenhearted,coward,cowardly,cowed,craven,daunted,dismayed,edgy,faint,fainthearted,fear-struck,feared,fearful,feeble,feebleminded,frail,frightened,fritter,funking,funky,haunted with fear,henhearted,hesitant,indisposed,infirm,intimidated,invertebrate,jittery,jumpy,lily-livered,loath,milk-livered,milksoppish,milksoppy,mousy,nervous,on edge,overtimid,overtimorous,panic-prone,panic-stricken,panicky,pigeonhearted,pliable,pusillanimous,rabbity,regretful,reluctant,rueful,scared,scared to death,scary,shrinking,shy,sissified,sissy,skittish,soft,sorry,spineless,spooked,terrified,timid,timorous,uneager,unhappy,unmanly,unmanned,unwilling,wary,weak,weak-kneed,weak-minded,weak-willed,weakhearted,white-livered,yellow 454 - afresh,ab ovo,again,anew,another time,as new,bis,da capo,de novo,ditto,encore,freshly,from scratch,from the beginning,lately,new,newly,of late,once again,once more,over,over again,recently,twice over,two times,yet again 455 - aft,abaft,after,aftermost,astern,back,backward,baft,fore and aft,hind,hinder,hindermost,hindhand,hindmost,posterior,postern,rear,rearmost,rearward,retrograde,tail 456 - after a fashion,appreciably,at any rate,at best,at least,at most,at the least,at the most,at the outside,at worst,by some means,comparatively,detectably,fairly,in a manner,in a way,in part,in some measure,in some way,incompletely,leastwise,merely,mildly,moderately,modestly,no matter how,not comprehensively,not exhaustively,only,part,partially,partly,pro tanto,purely,relatively,simply,so far,somehow,somehow or other,someway,somewhat,thus far,to a degree,to some degree,tolerably,visibly 457 - after all,after,after that,afterwards,again,albeit,all the same,all things considered,although,at all events,at any rate,before the bench,before the court,but,ceteris paribus,considering,even,even so,everything being equal,ex post facto,for all that,howbeit,however,in any case,in any event,in court,in the aftermath,in the sequel,just the same,later,nevertheless,next,nonetheless,notwithstanding,on balance,on the whole,rather,since,still,sub judice,subsequently,taking into account,then,thereafter,therefore,thereon,thereupon,therewith,this being so,though,when,wherefore,yet 458 - after,abaft,accommodated to,according to,adapted to,adjusted to,aft,after a time,after all,after that,aftermost,afterward,afterwards,agreeable to,agreeably to,answerable to,astern,attendant,back,backward,baft,because of,behind,below,beyond,by,by and by,by reason of,by virtue of,cadet,conformable to,congruent with,consecutive,considering,consistent with,due to,ensuing,ex post facto,following,for,from,hind,hinder,hindermost,hindhand,hindmost,in accordance with,in agreement with,in back of,in compliance with,in conformity with,in consideration of,in correspondence to,in harmony with,in keeping with,in line with,in lock-step with,in obedience to,in search of,in step with,in the aftermath,in the rear,in the sequel,in uniformity with,in view of,in virtue of,infra,junior,later,later than,latterly,lineal,next,on account of,out for,owing to,past,per,posterior,postern,proper to,puisne,rear,rearmost,rearward,retral,retrograde,sequent,since,subsequent,subsequent to,subsequently,succeeding,successive,suitable for,tail,thanks to,then,thereafter,thereon,thereupon,therewith,uniform with,without,younger 459 - aftereffect,afterbirth,afterclap,aftercrop,afterglow,aftergrowth,afterimage,aftermath,afterpain,aftertaste,by-product,consequence,event,eventuality,issue,outcome,placenta,remainder,residual,residuum,result,secundines,side effect,track,trail,upshot,wake 460 - afterglow,afterbirth,afterclap,aftercrop,aftereffect,aftergrowth,afterimage,aftermath,afterpain,aftertaste,air glow,balance,butt,butt end,by-product,candescence,candle ends,chaff,debris,detritus,end,fag end,filings,flush,fossil,gleam,glint,gloss,glow,holdover,husks,incandescence,leavings,leftovers,luster,odds and ends,offscourings,orts,parings,placenta,rags,refuse,relics,remainder,remains,remnant,residue,residuum,rest,roach,rubbish,ruins,rump,sawdust,scourings,scraps,secundines,shadow,shavings,sheen,shine,shininess,shining light,side effect,skylight,straw,stubble,stump,sunset glow,survival,sweepings,trace,track,trail,vestige,wake,waste 461 - afterimage,afterbirth,afterclap,aftercrop,aftereffect,afterglow,aftergrowth,aftermath,afterpain,aftertaste,balance,butt,butt end,by-product,candle ends,chaff,debris,detritus,end,fag end,filings,fossil,holdover,husks,leavings,leftovers,ocular spectrum,odds and ends,offscourings,optical illusion,orts,parings,placenta,rags,refuse,relics,remainder,remains,remnant,residue,residuum,rest,roach,rubbish,ruins,rump,sawdust,scourings,scraps,secundines,shadow,shavings,side effect,spectrum,straw,stubble,stump,survival,sweepings,trace,track,trail,trick of eyesight,vestige,wake,waste 462 - afterlife,Heaven,Paradise,a better place,afterworld,beyond,destiny,eternal home,everlastingness,fate,following,future state,future time,hangover,home,immortality,lateness,life after death,life to come,next life,next world,otherworld,postdate,postdating,posteriority,postexistence,provenience,remainder,sequence,subsequence,succession,supervenience,supervention,the beyond,the good hereafter,the grave,the great beyond,the great hereafter,the hereafter,the unknown,what bodes,what is fated,world to come 463 - aftermath,afterbirth,afterclap,aftercrop,aftereffect,afterglow,aftergrowth,afterimage,afterpain,aftertaste,bearing,bumper crop,by-product,causation,conclusion,consequence,crop,descendant,dynasty,effect,event,eventuality,fruit,harvest,heir,issue,line,lineage,make,offspring,outcome,output,placenta,posterity,proceeds,produce,product,production,remainder,residual,residuum,result,second crop,secundines,sequel,side effect,successor,track,trail,vintage,wake,yield 464 - afterpart,afterpiece,back,back door,back seat,back side,behind,breech,heel,hind end,hind part,hindhead,occiput,posterior,postern,queue,rear,rear end,rearward,reverse,stern,tab,tag,tail,tail end,tailpiece,trail,trailer,train,wake 465 - aftertaste,afterbirth,afterclap,aftercrop,aftereffect,afterglow,aftergrowth,afterimage,aftermath,afterpain,bitter,by-product,flavor,gust,palate,placenta,relish,salt,sapidity,sapor,savor,savoriness,secundines,side effect,smack,sour,stomach,sweet,tang,taste,tongue,tooth,track,trail,wake 466 - afterthought,PS,Parthian shot,about-face,addendum,afterthoughts,appendix,back matter,better thoughts,bind,block,blockage,bureaucratic delay,change of mind,chorus,coda,codicil,colophon,conclusion,consequence,continuance,continuation,delay,delayage,delayed reaction,detention,developed thought,double take,dragging,dying words,envoi,epilogue,flip,flip-flop,follow-through,follow-up,halt,hang-up,hindrance,holdup,interim,jam,lag,lagging,last words,logjam,mature judgment,mature thought,moratorium,obstruction,paperasserie,parting shot,pause,peroration,postface,postfix,postlude,postscript,re-examination,reappraisal,reconsideration,red tape,red-tapeism,red-tapery,refrain,reprieve,respite,retardance,retardation,rethinking,revaluation,reversal,reverse,review,right-about,right-about-face,ripe idea,second thought,second thoughts,sequel,sequela,sequelae,sequelant,sequent,sequitur,slow-up,slowdown,slowness,stay,stay of execution,stop,stoppage,subscript,suffix,supplement,suspension,swan song,tag,tergiversating,tergiversation,tie-up,time lag,turnabout,turnaround,volte-face,wait 467 - afterwards,after,after a time,after a while,after all,after that,afterward,anon,before long,by and by,by destiny,ex post facto,fatally,hopefully,imminently,in aftertime,in the aftermath,in the future,in the sequel,later,next,predictably,probably,proximo,since,soon,subsequently,then,thereafter,thereon,thereupon,therewith,tomorrow 468 - afterworld,Heaven,Paradise,a better place,afterlife,beyond,destiny,eternal home,fate,future state,home,life after death,life to come,next world,otherworld,postexistence,the beyond,the good hereafter,the grave,the great beyond,the great hereafter,the hereafter,the unknown,what bodes,what is fated,world to come 469 - again and again,ad infinitum,at a stretch,ceaselessly,commonly,connectedly,constantly,continually,continuously,cumulatively,cyclically,day after day,day by day,endlessly,frequently,habitually,in many instances,incessantly,interminably,many a time,many times,many times over,monotonously,most often,much,not infrequently,not seldom,oft,often,often enough,oftentimes,ofttimes,on a stretch,on and on,on end,ordinarily,over and over,perennially,recurrently,repeatedly,repetitively,round the clock,routinely,several times,time after time,time and again,times without number,together,unbrokenly,unceasingly,unintermittently,uninterruptedly,unrelievedly,unseldom,usually,whenever you wish,without a break,without cease,without stopping,year after year 470 - again,ab ovo,above,additionally,afresh,after all,albeit,all included,all the same,also,although,altogether,among other things,and all,and also,and so,anew,anon,another time,around,as new,as well,at all events,at another time,at any rate,at that moment,at that time,au reste,back,backward,beside,besides,beyond,bis,but,compare,contra,contrariwise,contrary,contrawise,conversely,da capo,de novo,ditto,else,en plus,encore,even,even so,extra,farther,for all that,for lagniappe,freshly,from scratch,from the beginning,howbeit,however,in addition,in any case,in any event,in reverse,in that case,inter alia,into the bargain,item,just the same,likewise,more,moreover,nevertheless,new,newly,nonetheless,notwithstanding,on that occasion,on the side,on top of,once again,once more,oppositely,over,over again,plus,rather,round,round about,similarly,still,then,thereat,therewith,though,to boot,too,twice over,two times,vice versa,when,yet,yet again 471 - against the grain,a rebours,a reculons,abhorrent,against the tide,against the wind,anticlockwise,arear,arsy-varsy,ass-backwards,astern,at cross-purposes,at daggers,at daggers drawn,at issue,at odds,at variance,at war with,athwart,away,back,backward,backwards,by contraries,contra,contrarily,contrariously,contrariwise,conversely,counter,counterclockwise,cross,cross-grained,dislikable,displeasing,distasteful,eyeball-to-eyeball,fro,hindward,hindwards,in confrontation,in flat opposition,in hostile array,in opposition,in reverse,intolerable,inversely,just the opposite,mislikable,nay rather,odious,on the contrary,oppositely,otherwise,per contra,quite the contrary,rather,rearward,rearwards,retrad,to the contrary,topsy-turvy,tout au contraire,uncongenial,uninviting,unlikable,unlovable,unpleasant,up in arms,upside down,vice versa,widdershins,with crossed bayonets 472 - against the law,actionable,anarchic,anarchistic,anomic,black-market,bootleg,chargeable,contraband,contrary to law,criminal,felonious,flawed,illegal,illegitimate,illicit,impermissible,irregular,justiciable,lawless,nonconstitutional,nonlegal,nonlicit,outlaw,outlawed,punishable,triable,unallowed,unauthorized,unconstitutional,under-the-counter,under-the-table,unlawful,unofficial,unstatutory,unwarrantable,unwarranted,wrongful 473 - against,about,across,adverse to,as to,at cross-purposes with,athwart,con,concerning,confronting,contra,contrary to,counter to,dead against,despite,en route to,facing,for,fronting,headed for,in conflict with,in contact with,in contempt of,in defiance of,in disagreement with,in front of,in opposition to,in order to,in passage to,in preparation for,in spite of,in transit to,next to,on,on route to,opposed to,opposite,opposite to,over against,re,regardless of,respecting,to,touching,toward,towards,up,up against,upon,versus,vis-a-vis,with respect to 474 - agape,Amor,BOMFOG,Benthamism,Christian charity,Christian love,Eros,Platonic love,accord,accordance,admiration,adoration,affection,affinity,aghast,agog,agreement,ajar,all agog,altruism,amazed,amity,anticipant,anticipating,anticipative,anticipatory,ardency,ardor,asperges,aspersion,astonished,astounded,at gaze,attachment,auricular confession,awaiting,awed,awestruck,bar mitzvah,bas mitzvah,beguiled,beneficence,benevolence,benevolent disposition,benevolentness,bewildered,bewitched,bigheartedness,bodily love,bonds of harmony,breathless,brotherly love,burning with curiosity,captivated,caritas,celebration,cement of friendship,certain,charitableness,charity,circumcision,communion,community,community of interests,compatibility,concord,concordance,confession,confident,confirmation,confounded,congeniality,conjugal love,consumed with curiosity,correspondence,curious,dehiscent,desire,devotion,dismayed,do-goodism,dumbfounded,dumbstruck,eager,empathy,enchanted,enraptured,enravished,enthralled,entranced,esprit,esprit de corps,expectant,expecting,faithful love,fancy,fascinated,feeling of identity,fellow feeling,fellowship,fervor,flabbergasted,flame,flower power,fondness,forearmed,forestalling,forewarned,free love,free-lovism,frictionlessness,gaping,gauping,gazing,generosity,ghoulish,giving,good vibes,good vibrations,goodwill,gossipy,grace,greatheartedness,happy family,harmony,heart,hero worship,high celebration,hopeful,humanitarianism,hypnotized,identity,idolatry,idolism,idolization,in anticipation,in awe,in awe of,in expectation,incense,inquiring,inquisitive,interested,invocation,invocation of saints,itchy,kinship,kiss of peace,largeheartedness,lasciviousness,lesser litany,libido,like,like-mindedness,liking,litany,looking for,looking forward to,lost in wonder,love,love feast,love of mankind,lovemaking,lustration,married love,marveling,mesmerized,morbid,morbidly curious,mutuality,not surprised,oneness,open-eyed,openmouthed,optimistic,oscitant,overcurious,overwhelmed,passion,pax,peace,philanthropism,philanthropy,physical love,popeyed,popular regard,popularity,prepared,processional,prurient,puzzled,quizzical,rapport,rapprochement,rapt in wonder,ready,reciprocity,reciting the rosary,regard,ringent,sanguine,scopophiliac,sentiment,sex,sexual love,sharing,shine,shocked,slack-jawed,solidarity,spellbound,spiritual love,staggered,staring,stupefied,supercurious,sure,surprised,sympathy,symphony,team spirit,telling of beads,tender feeling,tender passion,the confessional,the confessionary,thunderstruck,truelove,under a charm,understanding,union,unison,unity,unsurprised,utilitarianism,uxoriousness,voyeuristic,waiting,waiting for,watching for,weakness,welfarism,well-disposedness,wide-eyed,wonder-struck,wondering,worship,yawning,yearning 475 - age old,aged,ageless,ancient,antediluvian,antique,auld,dateless,elderly,hoary,immemorial,of old,of yore,old,old as Methuselah,old as history,old as time,old-time,olden,timeless,timeworn,venerable 476 - age,Bronze Age,Dark Ages,Depression Era,Golden Age,Ice Age,Iron Age,Jacksonian Age,Middle Ages,New Deal Era,Platonic year,Prohibition Era,Silver Age,Steel Age,Stone Age,abidingness,aboriginality,aeon,ages,ancien regime,ancientness,annus magnus,antiquate,antiquity,atavism,become extinct,become obsolete,blue moon,caducity,century,cheat the undertaker,cobwebs of antiquity,constancy,continuance,cycle,cycle of indiction,date,day,days,decline,defeat of time,defiance of time,develop,diuturnity,dodder,durability,durableness,duration,dust of ages,eld,elderliness,eldership,endurance,epoch,era,eternity,fade,fail,florid,fossilize,fust,generation,get along,get on,glacial epoch,great age,great year,grow,grow old,grow up,hoary age,hoary eld,indiction,inveteracy,lastingness,life,lifetime,long,long standing,long time,long while,long-lastingness,long-livedness,longevity,lose currency,maintenance,maturate,mellow,molder,month of Sundays,obsolesce,old age,old order,old style,oldness,outdate,perdurability,perennation,period of existence,perish,permanence,perpetuity,persistence,primitiveness,primogeniture,primordialism,primordiality,right smart spell,ripe,ripen,rust,senectitude,senescence,senility,seniority,shake,shrivel,sink,stability,standing,steadfastness,superannuate,survival,survivance,time,totter,turn gray,turn white,venerableness,wane,waste away,wither,wizen,wrinkle,years,years on end 477 - aged,abiding,advanced,advanced in life,advanced in years,age-long,age-old,along in years,ancient,antediluvian,antique,chronic,constant,continuing,developed,diuturnal,doddering,durable,elderly,enduring,evergreen,full-blown,full-fledged,full-grown,fully developed,getting on,gray,gray with age,gray-haired,gray-headed,grey,grown old,hardy,hoar,hoary,immutable,in full bloom,intransient,inveterate,lasting,long-lasting,long-lived,long-standing,long-term,longeval,longevous,macrobiotic,mature,matured,mellow,mellowed,of long duration,of long standing,old,old as Methuselah,olden,patriarchal,pensioned off,perdurable,perduring,perennial,permanent,perpetual,persistent,persisting,remaining,retired,ripe,ripened,seasoned,sempervirent,senectuous,senescent,senile,senior,stable,staying,steadfast,superannuated,tempered,timeworn,tottery,tough,unfading,venerable,vital,white,white with age,white-bearded,white-crowned,white-haired,wrinkled,wrinkly,years old 478 - agee,agee-jawed,askance,askant,askew,askewgee,asquint,awry,catawampous,catawamptious,cockeyed,crooked,skew,skew-jawed,skewed,slaunchways,squinting,wamper-jawed,wry,yaw-ways 479 - ageless,age-old,ancient,antique,auld,ceaseless,coeternal,constant,continual,continuous,dateless,elderly,endless,eternal,eterne,ever-being,ever-durable,ever-during,everlasting,everliving,hoary,immemorial,incessant,indestructible,infinite,interminable,never-ceasing,never-ending,nonstop,nonterminating,nonterminous,of old,of yore,olamic,old,old as Methuselah,old as history,old as time,old-time,olden,perdurable,permanent,perpetual,sempiternal,steady,timeless,unceasing,unending,unintermitting,uninterrupted,unremitting,venerable,without end 480 - agency,action,activity,agent,agentship,antecedent,assignment,atelier,authority,authorization,barbershop,barter,bartering,beauty parlor,beauty shop,bench,brevet,brokerage,butcher shop,buying and selling,care,cause,change,channel,charge,commission,commissioning,commitment,commutation,company,concern,conduct,consignment,corporation,cure,dealing,delegated authority,delegation,deputation,deputyship,desk,determinant,device,devolution,devolvement,direction,displacement,doing business,driving,embassy,empowerment,energy,entrusting,entrustment,errand,establishment,exchange,execution,executorship,exequatur,exercise,expedient,facility,factorship,firm,force,full power,functioning,gear,give-and-take,going between,handling,horse trading,house,installation,institution,instrumentality,instrumentation,intercession,interchange,intermediation,intervention,jobbing,jurisdiction,legation,license,lieutenancy,loft,machinery,management,mandate,manipulation,means,mechanism,mediation,medium,merchandising,ministry,mission,occupation,office,operancy,operation,organ,organization,parlor,performance,performing,plenipotentiary power,power,power of attorney,power to act,practice,procuration,proxy,purview,quid pro quo,recourse,regency,regentship,replacement,representation,resort,responsibility,retailing,running,service,shop,steering,studio,subrogation,substitution,supersedence,superseding,supersedure,supersession,supplantation,supplanting,supplantment,swapping,sweatshop,switch,task,tit for tat,trade,trading,trafficking,trust,trusteeship,vehicle,vicarious authority,vicariousness,warrant,wheeling and dealing,wholesaling,work,work site,work space,workbench,workhouse,working,working space,workings,workplace,workroom,workshop,worktable 481 - agenda,batting order,beadroll,bill,bill of fare,blueprint,budget,cadastre,calendar,card,carte du jour,census,census report,checklist,checkroll,docket,dramatis personae,head count,honor roll,jury list,jury panel,lineup,list of agenda,menu,muster,muster roll,nose count,order of business,playbill,poll,program,program of operation,programma,property roll,prospectus,protocol,questionnaire,returns,roll,roll call,roster,rota,schedule,scroll,slate,tax roll,timetable 482 - agent provocateur,agitator,agitprop,capper,catalyst,come-on man,decoy,demagogue,exciter,firebrand,fomenter,incendiary,inciter,inflamer,instigator,mischief-maker,plant,provocateur,provoker,rabble-rouser,ringleader,rouser,seditionary,seditionist,shill,stool pigeon,stoolie,troublemaker,urger 483 - agent,Charlie McCarthy,Federal,acid,acidity,acolyte,activator,actor,adjutant,administrator,advocate,agency,aid,aide,aide-de-camp,aider,alkali,alkalinity,alloisomer,amanuensis,amicus curiae,ancilla,anion,antacid,appliance,appointee,architect,assignee,assistant,atom,attendant,attorney,attorney-at-law,author,auxiliary,baggage agent,barrister,barrister-at-law,base,begetter,beginner,best man,biochemical,broker,business agent,buyer,candidate,catalyst,cation,cause,causer,channel,chemical,chemical element,chromoisomer,claim agent,clerk,coadjutant,coadjutor,coadjutress,coadjutrix,commercial agent,commission agent,commissionaire,commissioner,compound,conductor,connection,consignee,contrivance,copolymer,counsel,counselor,counselor-at-law,creator,creature,customer agent,delegate,deputy,device,dimer,directeur,director,distributor,doer,driver,dummy,dupe,effector,element,emissary,energizer,engenderer,engineer,envoy,executant,executive,executive officer,executor,executrix,fabricator,factor,father,fed,federal agent,force,freight agent,friend at court,front,front man,functionary,general agent,generator,go-between,governor,handler,handmaid,handmaiden,heavy chemicals,help,helper,helpmate,helpmeet,high polymer,homopolymer,hydracid,implement,impresario,ingredient,inorganic chemical,inspirer,instigator,instrument,instrumentality,instrumentation,insurance agent,intendant,interagent,interceder,intercessor,intermediary,intermediate,intermediate agent,intermediator,intermedium,internuncio,intervener,interventionist,interventor,ion,isomer,jobber,land agent,law agent,lawyer,legal adviser,legal counselor,legal expert,legal practitioner,legalist,legate,lever,liaison,licensee,lieutenant,link,literary agent,loan agent,macromolecule,maker,manager,manipulator,means,mechanism,mediary,mediator,medium,metamer,middleman,midwife,minion,minister,ministry,molecule,monomer,mother,mouthpiece,mover,negotiant,negotiator,negotiatress,negotiatrix,neutralizer,news agent,nominee,nonacid,official,ombudsman,operant,operative,operator,organ,organic chemical,originator,oxyacid,paranymph,paraprofessional,parent,parliamentary agent,passenger agent,pawn,performer,perpetrator,pilot,plaything,pleader,polymer,power,practitioner,press agent,prime mover,primum mobile,proctor,procurator,producer,proxy,pseudoisomer,puppet,purchasing agent,radical,reagent,real estate agent,rector,representative,responsible person,runner,sales agent,sea lawyer,second,secretary,selectee,self-styled lawyer,servant,sideman,sire,slave,solicitor,special agent,spokesman,spokesperson,spokeswoman,spook,spy,station agent,steersman,steward,stooge,subject,substitute,sulfacid,supercargo,supporting actor,supporting instrumentalist,surrogate,theatrical agent,ticket agent,tie,tool,toy,travel agent,trimer,undercover man,vehicle,walking delegate,wholesaler,worker 484 - agglomeration,Anschluss,accretion,accumulation,acervation,addition,adherence,adhesion,affiliation,agglomerate,agglutination,aggregate,aggregation,agreement,alliance,amalgamation,amassment,articulation,assimilation,association,blend,blending,bond,bracketing,breccia,bunch,cabal,cartel,centralization,chunk,cling,clinging,clot,clotting,cluster,clustering,coagulation,coalescence,coalition,coherence,cohesion,cohesiveness,collection,colluvies,combination,combine,combo,communication,compaction,composition,concatenation,concourse,concrete,concretion,concurrence,condensation,confederacy,confederation,confluence,congealment,congelation,congeries,conglobation,conglomerate,conglomeration,conjugation,conjunction,connection,consolidation,conspiracy,convergence,copulation,coupling,cumulation,ecumenism,embodiment,encompassment,enosis,federalization,federation,fusion,gathering,glomeration,gob,hoard,hookup,hunk,inclusion,incorporation,inseparability,integration,intercommunication,intercourse,interlinking,joinder,joining,jointure,junction,junta,knotting,league,liaison,linkage,linking,lump,marriage,mass,meeting,meld,melding,merger,merging,package,package deal,pairing,set,snowball,solidification,splice,sticking,stockpile,symbiosis,syncretism,syndication,syneresis,synthesis,tie,tie-in,tie-up,trove,unification,union,wad,wedding,yoking 485 - agglutination,accession,accretion,addition,adherence,adhesion,adjunct,adjunction,affixation,agglomeration,aggregation,annexation,articulation,attachment,augmentation,bond,bracketing,cling,clinging,clotting,clumping,clustering,coagulation,coherence,cohesion,cohesiveness,combination,communication,compaction,compression,concatenation,concentration,concourse,concretion,concurrence,condensation,confluence,congealment,congelation,congeries,conglobation,conglomeration,conjugation,conjunction,connection,consolidation,convergence,copulation,coupling,densification,gathering,hardening,hookup,increase,inseparability,intercommunication,intercourse,interlinking,joinder,joining,jointure,junction,juxtaposition,knotting,liaison,linkage,linking,marriage,meeting,merger,merging,pairing,prefixation,reinforcement,set,solidification,splice,sticking,suffixation,superaddition,superfetation,superjunction,superposition,supplementation,symbiosis,tie,tie-in,tie-up,unification,union,uniting,yoking 486 - aggrandize,add to,advance,amplify,apotheose,apotheosize,augment,ballyhoo,beatify,beef up,bloat,blow up,boost,broaden,build,build up,bulk,bulk out,burlesque,canonize,caricature,carry too far,crescendo,crown,deify,develop,dignify,dilate,distend,distinguish,draw the longbow,elevate,enlarge,ennoble,enshrine,enthrone,erect,exaggerate,exalt,expand,extend,fatten,fill out,glamorize,glorify,go to extremes,graduate,heighten,hike,hike up,honor,huff,hyperbolize,immortalize,increase,inflate,jack up,jump up,kick upstairs,knight,lay it on,lengthen,lionize,magnify,make legendary,make much of,maximize,multiply,overcharge,overdo,overdraw,overestimate,overpraise,overreach,overreact,oversell,overspeak,overstate,overstress,parlay,pass,pile it on,prefer,promote,puff,puff up,pump,pump up,put up,pyramid,raise,rarefy,saint,sanctify,set up,stretch,stretch the truth,sublime,sufflate,swell,talk big,talk in superlatives,thicken,throne,tout,travesty,up,upgrade,uplift,uprear,widen 487 - aggrandized,accelerated,amplified,apotheosized,augmented,awesome,ballyhooed,beatified,beefed-up,big,bloated,boosted,broadened,canonized,deepened,deified,disproportionate,elevated,eminent,enhanced,enlarged,ennobled,enshrined,enthroned,exaggerated,exalted,excellent,excessive,exorbitant,expanded,extended,extravagant,extreme,glorified,grand,grandiloquent,great,heightened,held in awe,high,high and mighty,high-flown,hiked,hyperbolic,immortal,immortalized,increased,inflated,inordinate,intensified,jazzed up,lofty,magnified,mighty,multiplied,overdone,overdrawn,overemphasized,overemphatic,overestimated,overgreat,overlarge,overpraised,oversold,overstated,overstressed,overwrought,prodigal,profuse,proliferated,puffed,raised,reinforced,sainted,sanctified,shrined,spread,stiffened,strengthened,stretched,sublime,supereminent,superlative,swollen,throned,tightened,touted,widened 488 - aggravate,accelerate,agent provocateur,aggrandize,alienate,amplify,anger,annoy,antagonize,arouse,augment,badger,bait,be at,bedevil,beef up,beset,blow up,bother,bristle,brown off,bug,build up,bullyrag,burn up,chafe,chivy,come between,complicate,concentrate,condense,consolidate,damage,deepen,deteriorate,devil,dilapidate,disaffect,discompose,distemper,disturb,disunite,divide,dog,double,embitter,endamage,enhance,enlarge,envenom,estrange,exacerbate,exaggerate,exasperate,exercise,fan the flame,fash,fret,frustrate,gall,get,grate,gripe,harass,harm,harry,heat up,heckle,hector,heighten,hop up,hot up,hound,huff,hurt,impair,incense,increase,inflame,infuriate,injure,intensify,irk,irritate,jazz up,key up,light the fuse,madden,magnify,make acute,make complex,make trouble,make worse,miff,molest,mount,multiply,nag,needle,nettle,nudzh,peeve,persecute,perturb,pester,pick on,pique,pit against,plague,pluck the beard,pother,provoke,put back,ramify,rankle,redouble,reinforce,ride,rile,rise,roil,rouse,ruffle,separate,set against,set at odds,set at variance,set on,set up,sharpen,sic on,soup up,sour,sow dissension,step up,stir the blood,stir up,stir up trouble,strengthen,tease,torment,triple,trouble,try the patience,tweak the nose,upset,vex,weaken,whet,work up,worry,worsen 489 - aggravated,amplified,angry,annoyed,augmented,bothered,broken,browned-off,bugged,burned,burnt-up,burst,busted,chafed,checked,chipped,cracked,crazed,cut,damaged,deliberately provoked,deteriorated,disturbed,embittered,enhanced,enlarged,exacerbated,exasperated,galled,griped,harmed,heated up,heightened,hotted up,huffy,hurt,impaired,imperfect,in bits,in pieces,in shards,increased,injured,intensified,irked,irritated,lacerated,magnified,mangled,miffed,mutilated,nettled,peeved,piqued,provoked,put-out,rent,resentful,riled,roiled,ruffled,ruptured,scalded,scorched,shattered,slashed,slit,smashed,soured,split,sprung,the worse for,torn,troubled,vexed,weakened,worse,worse off,worsened 490 - aggravating,aggravative,annoying,bothering,bothersome,contentious,disturbing,exasperating,exasperative,galling,harassing,importunate,importune,irking,irksome,irritating,pesky,pestering,pestiferous,pestilent,pestilential,plaguesome,plaguey,plaguing,provocative,provoking,teasing,tiresome,tormenting,troublesome,troubling,vexatious,vexing,wearisome,worrisome,worrying 491 - aggravation,accelerando,acceleration,adverse circumstances,adversity,affliction,agitation,animation,annoyance,annoyingness,arousal,arousing,bad news,bedevilment,beefing-up,blight,blowing up,blowup,bore,bother,botheration,bothersomeness,bummer,care,concentration,condensation,consolidation,crashing bore,cross,curse,deepening,devilment,difficulties,difficulty,disapprobation,disapproval,discontent,displeasure,dissatisfaction,dogging,downer,drag,electrification,enhancement,exacerbation,exaggeration,exasperation,excitation,excitement,exhilaration,explosion,fomentation,galvanization,harassment,hard knocks,hard life,hard lot,hardcase,hardship,harrying,headache,heating-up,heightening,hounding,incitement,inflammation,information explosion,infuriation,intensification,irksomeness,irritation,lathering up,magnification,molestation,nuisance,persecution,perturbation,peskiness,pest,pestiferousness,pickup,plaguesomeness,plight,population explosion,pother,predicament,pressure,problem,provocation,provokingness,redoubling,reinforcement,resentfulness,resentment,rigor,sea of troubles,speedup,steaming up,step-up,stimulation,stimulus,stirring,stirring up,strengthening,stress,stress of life,tightening,tiresomeness,trial,tribulation,trouble,troubles,troublesomeness,vale of tears,vexation,vexatiousness,vicissitude,wearisomeness,whipping up,working up,worriment,worrisomeness,worry 492 - aggregate,A to Z,A to izzard,account,accumulate,accumulated,accumulation,acervation,add up,add up to,agglomerate,agglomeration,aggregate to,aggregation,aggroup,all,all and sundry,all-embracing,all-inclusive,alpha and omega,amass,amassed,amassment,amount,amount to,assemblage,assemble,assembled,batch,be-all,be-all and end-all,beginning and end,box score,bring together,budget,bulk,bunch,bunch together,bunch up,bunched,bundled,cast,chunk,clump,clumped,cluster,clustered,collect,collected,colligate,collocate,combine,combined,come,come to,compare,compile,complement,comprehensive,comprise,congeries,conglobation,conglomerate,conglomeration,congregate,congregated,contain,corral,count,cumulate,cumulation,difference,dig up,draw together,dredge up,drive together,each and every,entire,entirety,everything,exhaustive,fascicled,fasciculated,gather,gather in,gather together,gathered,gathering,get in,get together,glomerate,glomeration,gob,gross,group,heaped,holistic,hunk,in session,inclusive,integral,integrated,join,joined,joint,juxtapose,knotted,leagued,length and breadth,lump,lump together,lumped,make up,mass,massed,match,meeting,mobilize,mount up to,muster,number,omnibus,one,one and all,one and indivisible,package,package deal,packaged,pair,partner,piled,product,put together,quantity,quantum,raise,rake up,rally,reckon up to,reckoning,round up,run into,run to,score,scrape together,set,snowball,stacked,stockpile,sum,sum total,summation,take up,tale,tally,the bottom line,the corpus,the ensemble,the entirety,the lot,the story,the whole,the whole range,the whole story,tot up to,total,totality,tote,tote up to,unitize,universal,wad,whip in,whole,wrapped up,x number 493 - aggregation,Anschluss,accumulation,acervation,addition,affiliation,agglomerate,agglomeration,agglutination,aggregate,agreement,alliance,amalgamation,amassment,articulation,assemblage,assembly,assimilation,association,backlog,blend,blending,bond,bracketing,cabal,cartel,centralization,chunk,clustering,coalescence,coalition,collection,colluvies,combination,combine,combo,communication,company,composition,concatenation,concourse,concurrence,confederacy,confederation,confluence,congeries,conglobation,conglomerate,conglomeration,conjugation,conjunction,connection,consolidation,conspiracy,convergence,copulation,coupling,crowd,cumulation,ecumenism,embodiment,encompassment,enosis,federalization,federation,fusion,gathering,glomeration,gob,group,hoard,hookup,hunk,inclusion,incorporation,integration,intercommunication,intercourse,interlinking,joinder,joining,jointure,junction,junta,knotting,league,liaison,linkage,linking,lump,marriage,mass,meeting,meld,melding,merger,merging,muster,package,package deal,pairing,reserve,ruck,snowball,solidification,splice,stockpile,symbiosis,syncretism,syndication,syneresis,synthesis,tie,tie-in,tie-up,trove,unification,union,wad,wedding,yoking 494 - aggression,adventuresomeness,adventurousness,aggravated assault,aggressiveness,ambitiousness,amphibious attack,antagonism,armed assault,assailing,assailment,assault,attack,banzai attack,bellicism,bellicosity,belligerence,belligerency,blitz,blitzkrieg,breakthrough,charge,chauvinism,combativeness,contentiousness,counterattack,counteroffensive,coup de main,crippling attack,dead set at,descent on,diversion,diversionary attack,drive,dynamism,encroachment,enterprise,enterprisingness,ferocity,fierceness,fight,flank attack,force,forcefulness,frontal attack,gas attack,get-up-and-get,get-up-and-go,getup,go,go-ahead,go-getting,go-to-itiveness,gumption,head-on attack,hostility,hustle,incursion,infiltration,initiative,inroad,invasion,irruption,jingoism,lightning attack,lightning war,martialism,mass attack,megadeath,militancy,militarism,mugging,offense,offensive,onset,onslaught,overkill,panzer warfare,pugnaciousness,pugnacity,push,pushfulness,pushiness,pushingness,quarrelsomeness,raid,run against,run at,rush,saber rattling,sally,shock tactics,sortie,spirit,spunk,strike,truculence,unfriendliness,unpeacefulness,unprovoked assault,up-and-comingness,venturesomeness,venturousness,warmongering,warpath 495 - aggressive,abrupt,active,acute,adventuresome,adventurous,ambitious,animated,antagonistic,assertive,battling,bearish,beastly,bellicose,belligerent,bickering,bloodthirsty,bloody,bloody-minded,bluff,blunt,bold,brash,brisk,brusque,cavalier,chauvinist,chauvinistic,churlish,combative,contentious,crusty,curt,disputatious,divisive,domineering,driving,dynamic,enemy,energetic,enterprising,enthusiastic,eristic,factional,factious,ferocious,fierce,fighting,forceful,forcible,forward,full of fight,full of pep,go-ahead,go-go,gruff,hard-hitting,harsh,hawkish,hearty,hostile,hustling,imperious,impetuous,incisive,inimical,intense,irascible,irritable,jingo,jingoish,jingoist,jingoistic,keen,kinetic,litigious,lively,living,lusty,martial,masterful,mettlesome,militant,militaristic,military,offensive,on the offensive,partisan,peppy,polarizing,polemic,pugnacious,pushful,pushing,pushy,quarrelsome,robust,rough,saber-rattling,sanguinary,sanguineous,savage,scrappy,self-assertive,severe,sharp,short,shrewish,smacking,snappy,snippy,soldierlike,soldierly,spanking,spirited,strenuous,strong,surly,take-charge,take-over,tough,trenchant,trigger-happy,truculent,unfriendly,unpacific,unpeaceable,unpeaceful,up-and-coming,venturesome,venturous,vibrant,vigorous,vivacious,vivid,warlike,warmongering,warring,wrangling,zestful,zesty,zippy 496 - aggrieve,abuse,afflict,affront,anguish,annoy,barb the dart,befoul,bewitch,blight,break down,bring to tears,bruise,condemn,constrain,corrupt,crucify,crush,curse,cut,cut up,damage,defile,deprave,desolate,despoil,destroy,disadvantage,disserve,distress,do a mischief,do evil,do ill,do wrong,do wrong by,doom,draw tears,embitter,envenom,get into trouble,give offense,give umbrage,grieve,harass,harm,harry,hex,hurt,hurt the feelings,impair,infect,injure,inundate,jinx,maltreat,menace,mistreat,misuse,molest,offend,oppress,outrage,overwhelm,pain,persecute,pierce,plague,play havoc with,play hob with,poison,pollute,prejudice,prick,prostrate,savage,scathe,sorrow,stab,sting,taint,threaten,torment,torture,try,twist the knife,violate,worry,wound,wreak havoc on,wrong 497 - aghast,afraid,agape,agog,all agog,amazed,anxious,appalled,ashen,astonished,astounded,at gaze,awed,awestricken,awestruck,beguiled,bewildered,bewitched,blanched,breathless,captivated,confounded,cowed,deadly pale,dismayed,dumbfounded,dumbstruck,enchanted,enraptured,enravished,enthralled,entranced,fascinated,fearful,flabbergasted,frightened,frozen,gaping,gauping,gazing,gray with fear,horrified,horror-struck,hypnotized,in awe,in awe of,intimidated,lost in wonder,marveling,mesmerized,open-eyed,openmouthed,overwhelmed,pale as death,pallid,paralyzed,petrified,popeyed,puzzled,rapt in wonder,scared,scared stiff,scared to death,scary,shocked,spellbound,staggered,staring,startled,stunned,stupefied,surprised,taken aback,terrified,terror-crazed,terror-haunted,terror-ridden,terror-riven,terror-shaken,terror-smitten,terror-struck,terror-troubled,thunderstruck,under a charm,undone,unmanned,unnerved,unstrung,wide-eyed,wonder-struck,wondering 498 - agile,active,acute,adroit,alacritous,alert,alive,attentive,awake,breakneck,bright,brisk,catty,dashing,deft,dexterous,dextrous,dispatchful,double-quick,eagle-winged,expeditious,express,fast,featly,fleet,flying,galloping,graceful,hair-trigger,hasty,headlong,hustling,keen,light,light of heel,light-footed,limber,lissome,lithe,lively,mercurial,neat-fingered,neat-handed,nimble,nimble-footed,on the,on the alert,on the ball,on the job,peart,precipitate,prompt,qui vive,quick,quick as lightning,quick as thought,rapid,ready,reckless,resourceful,running,sharp,sleepless,smart,snappy,spanking,speedy,sprightly,spry,supple,sure-footed,swift,tripping,unblinking,unnodding,unsleeping,unwinking,volant,wakeful,wide-awake,winged,zippy 499 - agility,acuity,acuteness,alacrity,alertness,attention,attentiveness,brightness,briskness,dispatch,expedition,expeditiousness,featliness,keenness,lightness,nimbleness,promptitude,promptness,punctuality,quickness,readiness,sharpness,sleeplessness,smartness,speediness,spryness,swiftness,wakefulness 500 - agio,abatement,allowance,bank discount,breakage,cash discount,chain discount,charge-off,concession,cut,deduction,depreciation,discount,drawback,kickback,penalty,penalty clause,percentage,premium,price reduction,price-cut,rebate,rebatement,reduction,refund,rollback,salvage,setoff,tare,time discount,trade discount,tret,underselling,write-off 501 - agitate,actuate,afflict,air,argue,arouse,assail,attack,beat,beat up,blow the coals,bother,bounce,broach,bug,burden,campaign,canvass,churn,churn up,concern,concuss,consider,convulse,debate,disarrange,discept,discombobulate,discomfit,discomfort,discompose,disconcert,dispute,disquiet,distract,distress,disturb,drive,electrify,embroil,exasperate,excite,fan,fan the flame,feed the fire,ferment,fire,flurry,fluster,flutter,foment,frazzle,fret,fuss,give concern,heat,heat up,impassion,impel,incense,incite,inflame,instigate,irritate,jar,joggle,jolt,jounce,load with care,moot,move,nettle,paddle,peeve,perturb,perturbate,pique,press,promote,provoke,psych,push,put to it,put up to,rally,rattle,rile,ripple,rock,roil,roughen,rouse,ruffle,rumple,set on,shake,shake up,shock,sic on,spook,stagger,stir,stir the embers,stir up,swirl,thrash out,throw,throw into confusion,tickle,trouble,unhinge,unnerve,unsettle,untune,upset,ventilate,whet,whip,whip up,whisk,work up 502 - agitated,abashed,afflicted,all shook up,all-overish,anxious,anxioused up,apprehensive,aroused,beset,bothered,bustling,cast down,chagrined,chapfallen,concerned,confused,discomfited,discomforted,discomposed,disconcerted,disquieted,distressed,disturbed,embarrassed,excited,fearful,feverish,fidgeting,fidgety,flurried,flustered,fluttering,fluttery,foreboding,fretful,fussing,fussy,hung up,ill at ease,in a pucker,in a quiver,in a stew,jittery,jumpy,misgiving,mortified,moved,nervous,nervy,on tenterhooks,out of countenance,overanxious,overapprehensive,perturbed,put-out,put-upon,quivering,quivery,rattled,restless,roused,ruffled,shaken,shaken up,shaking,shaky,shivering,shivery,shook up,skittery,solicitous,stirred up,strained,suspenseful,tense,trembling,trembly,tremulant,tremulous,troubled,troublous,turbulent,twitchy,twittery,uncomfortable,uneasy,unnerved,unpeaceful,unquiet,unsettled,upset,wrought up,zealous 503 - agitation,ado,aggravation,all-overs,angst,animation,anxiety,anxiety hysteria,anxiety neurosis,anxious bench,anxious concern,anxious seat,anxiousness,apprehension,apprehensiveness,arousal,arousing,attack of nerves,bluster,bother,botheration,brawl,broil,brouhaha,buck fever,burst,bustle,cacophony,cankerworm of care,care,case of nerves,chaos,chills of fear,churning,cold creeps,cold shivers,cold sweat,commotion,concern,concernment,confusion,creeps,disquiet,disquietude,distress,disturbance,dither,dread,ebullience,ebullition,eddy,effervescence,electrification,embroilment,exacerbation,exasperation,excessive irritability,excitation,excitement,exhilaration,fanaticism,fear,fear and trembling,feery-fary,ferment,fermentation,fidgetiness,fidgets,firing,fit,flap,flurry,fluster,flutter,flutteriness,fomentation,foofaraw,foreboding,forebodingness,frenzy,fume,furor,furore,fury,fuss,fussiness,galvanization,goose bumps,gooseflesh,heartquake,horripilation,hubbub,hullabaloo,hurly-burly,hurry,hurry-scurry,incitation,incitement,inflammation,infuriation,inquietude,instigation,irritation,jimjams,lather,lathering up,maelstrom,malaise,misgiving,morbid excitability,nerves,nervosity,nervous stomach,nervous strain,nervous tension,nervousness,overanxiety,palpitation,pandemonium,panic,panickiness,passion,pell-mell,pep rally,pep talk,perturbation,pins and needles,pother,provocation,pucker,quaking,quiver of terror,rabble-rousing,racket,rage,restlessness,row,ruckus,ruffle,rumpus,scramble,shaking,shivers,solicitude,spasm,spell of nerves,spurt,stage fright,state of nerves,steaming up,stew,stimulation,stimulus,stir,stirring,stirring up,stirring-up,storminess,strain,suspense,sweat,swirl,swirling,tempestuousness,tension,thrill of fear,tic,to-do,trepidation,trepidity,trouble,tumult,tumultuousness,turbulence,turmoil,twitching,uneasiness,unquiet,unquietness,uproar,upset,vellication,vexation,vortex,whipping up,whirl,wildness,working up,yeastiness,zeal,zealousness 504 - agitator,activist,agent provocateur,agitprop,beater,blender,brawler,catalyst,cement mixer,churn,crucible,demagogue,eggbeater,emulsifier,exciter,extremist,firebrand,fomenter,frondeur,incendiary,inciter,inflamer,instigator,insubordinate,insurgent,insurrectionary,insurrectionist,insurrecto,jiggler,malcontent,maverick,melting pot,mischief-maker,mixer,mover,mutineer,nonconformist,paddle,provocateur,provoker,rabble-rouser,rebel,revolter,revolutionary,revolutionist,ringleader,rioter,rouser,seditionary,seditionist,shaker,subversive,traitor,troublemaker,urger,vibrator,whisk 505 - agitprop,agent provocateur,agitator,catalyst,demagogue,exciter,firebrand,fomenter,incendiary,inciter,indoctrination,inflamer,instigator,mischief-maker,propaganda,propagandism,propagandist,provocateur,provoker,rabble-rouser,ringleader,rouser,seditionary,seditionist,troublemaker,urger 506 - aglow,ablaze,afire,aflame,aflicker,alight,ardent,bathed with light,beaming,beamy,bespangled,blazing,blushing,bright and sunny,brightened,burning,candent,candescent,candlelit,comburent,conflagrant,enlightened,firelit,flagrant,flaming,flaring,flickering,flushing,fuming,gaslit,gleaming,gleamy,glinting,glowing,guttering,ignescent,ignited,illuminant,illuminated,in a blaze,in a glow,in flames,incandescent,inflamed,irradiate,irradiated,irradiative,kindled,lamping,lamplit,lanternlit,light as day,lighted,lightened,lit,lit up,live,living,lucent,luciferous,lucific,luciform,luminant,luminative,luminiferous,luminificent,luminous,lustrous,moonlit,on fire,orient,radiant,reeking,rutilant,rutilous,scintillant,scintillating,shining,shiny,smoking,smoldering,spangled,sparking,star-spangled,star-studded,starbright,starlike,starlit,starry,streaming,studded,suffused,sunlit,sunny,sunshiny,tinseled,unextinguished,unquenched 507 - agnate,affiliated,affinal,affinitive,akin,alike,allied,analogous,avuncular,closely related,cognate,collateral,comparable,congeneric,congenerous,congenial,connate,connatural,connected,consanguine,consanguinean,consanguineous,conspecific,correlative,corresponding,distantly related,enate,foster,genetically related,german,germane,incident,kindred,matrilateral,matrilineal,matroclinous,novercal,of common source,of the blood,parallel,patrilateral,patrilineal,patroclinous,related,related by blood,sib,sibling,similar,undifferentiated,uniform,uterine 508 - agnostic,Humean,Humist,Pyrrhonic,Pyrrhonist,ambiguous,capricious,chancy,changeable,dicey,distrustful,doubter,doubtful,doubting,doubting Thomas,dubious,dubitante,equivocal,erratic,fickle,from Missouri,hesitant,hesitating,in doubt,incalculable,incredulous,indecisive,indemonstrable,irresolute,leery,mistrustful,mistrusting,polysemous,questioning,scoffer,scrupulous,shy,skeptic,skeptical,suspecting,suspicious,touch-and-go,unaccountable,uncertain,unconfirmable,unconvinced,undivinable,unforeseeable,unpersuaded,unpredictable,unprovable,unsure,untrusting,unverifiable,variable,wary,wavering,whimsical 509 - agnosticism,Humism,Pyrrhonism,atheism,blankmindedness,callowness,denial,disbelief,discredit,doubt,empty-headedness,greenhornism,greenness,heresy,hiatus of learning,ignorance,ignorantism,ignorantness,inability to believe,inanity,incredulity,inexperience,infidelity,innocence,know-nothingism,knowledge-gap,lack of information,minimifidianism,misbelief,nescience,nonbelief,nullifidianism,obscurantism,rawness,rejection,scoffing,simpleness,simplicity,skepticism,tabula rasa,unacquaintance,unbelief,unbelievingness,unfamiliarity,unintelligence,unknowing,unknowingness,unripeness,vacuity,vacuousness 510 - Agnus Dei,Alleluia,Anamnesis,Benedicite,Blessing,Canon,Collect,Communion,Consecration,Credo,Dismissal,Epistle,Fraction,Gloria,Gloria Patri,Gloria in Excelsis,Gospel,Gradual,Holy Grail,Host,Introit,Kyrie,Kyrie Eleison,Last Gospel,Lavabo,Magnificat,Miserere,Nunc Dimittis,Offertory,Paternoster,Pax,Pieta,Post-Communion,Preface,Sanctus,Sanctus bell,Sangraal,Secreta,Te Deum,Tersanctus,Tract,Trisagion,Vedic hymn,alleluia,answer,anthem,antiphon,antiphony,ark,asperger,asperges,aspergillum,bambino,beadroll,beads,candle,canticle,censer,chant,chaplet,chorale,ciborium,cross,crucifix,cruet,doxology,eucharistial,hallelujah,holy cross,holy water,holy-water sprinkler,hosanna,hymn,hymn of praise,hymnody,hymnography,hymnology,icon,incensory,laud,mantra,matzo,menorah,mezuzah,mikvah,monstrance,motet,offertory,offertory sentence,osculatory,ostensorium,paean,paschal candle,pax,phylacteries,prayer shawl,prayer wheel,psalm,psalmody,pyx,relics,report,response,responsory,rood,rosary,sacramental,sacred relics,sacring bell,shofar,sukkah,tabernacle,tallith,thurible,urceole,veronica,versicle,vigil light,votive candle 511 - ago,antiquated,antique,back,back when,backward,blown over,by,bygone,bypast,dated,dead,dead and buried,deceased,defunct,departed,elapsed,expired,extinct,finished,forgotten,gone,gone by,gone glimmering,gone-by,has-been,into the past,irrecoverable,lapsed,no more,obsolete,over,passe,passed,passed away,past,reminiscently,retroactively,retrospectively,run out,since,vanished,wound up 512 - agog,advertent,agape,aghast,alacritous,alert,all agog,all ears,all eyes,amazed,animated,anticipant,anticipating,anticipative,anticipatory,anxious,aquiver,ardent,aroused,assiduous,astonished,astounded,at gaze,athirst,atingle,attentive,atwitter,avid,awaiting,aware,awed,awestruck,beguiled,bewildered,bewitched,breathless,burning with curiosity,bursting,bursting to,captivated,careful,carried away,certain,concentrated,confident,confounded,conscious,consumed with curiosity,curious,desirous,diligent,dumbfounded,dumbstruck,eager,earnest,ebullient,effervescent,enchanted,enraptured,enravished,enthralled,enthusiastic,entranced,excited,exhilarated,expectant,expecting,fascinated,finical,finicking,finicky,fired,flabbergasted,forearmed,forestalling,forewarned,forward,full of life,galvanized,gaping,gauping,gazing,ghoulish,gossipy,heedful,high,hopeful,hopped up,hypnotized,impassioned,impatient,in anticipation,in awe,in awe of,in expectation,inflamed,inquiring,inquisitive,intense,intent,intentive,interested,itchy,keen,keyed up,lathered up,lively,looking for,looking forward to,lost in wonder,manic,marveling,mesmerized,meticulous,mindful,morbid,morbidly curious,moved,nice,niggling,not surprised,observant,observing,on the ball,on the job,open-eared,open-eyed,openmouthed,optimistic,overcurious,overwhelmed,panting,popeyed,prepared,prompt,prurient,puzzled,quick,quizzical,rapt in wonder,raring to,ready,ready and willing,ready to burst,regardful,restive,roused,sanguine,scopophiliac,spellbound,spirited,staggered,staring,steamed up,stimulated,stirred,stirred up,stupefied,supercurious,sure,surprised,thirsty,thrilled,thunderstruck,tingling,tingly,turned-on,under a charm,unsurprised,vital,vivacious,vivid,voyeuristic,waiting,waiting for,watchful,watching for,whipped up,wide-eyed,wonder-struck,wondering,worked up,wrought up,yeasty,zestful 513 - agonize,ache,afflict,agonize over,ail,anguish,battle,be at sea,be uncertain,bear,beat about,bite,blanch,bleed,blench,bloody,brood over,buffet,burn,chafe,claw,contend,convulse,crucify,cut,desolate,distress,doubt,endure,excruciate,feel pain,feel the pangs,feel unsure,fester,fight,flounder,fret,gall,give pain,gnaw,go hard with,grate,grieve,grimace,grind,gripe,grope,grunt and sweat,harrow,hassle,have a misery,huff and puff,hurt,impale,inflame,inflict pain,irritate,kill by inches,lacerate,lancinate,macerate,martyr,martyrize,mope,mourn,nip,pain,pierce,pinch,pine,pine away,pound,prick,prolong the agony,punish,put to torture,puzzle over,question,rack,rankle,rasp,rip,rub,savage,scarify,scuffle,shoot,shrink,smart,sorrow,squirm,stab,sting,strive,struggle,suffer,suffer anguish,take on,thrash about,thrill,throb,tingle,torment,torture,toss,trouble,try,tussle,tweak,twinge,twist,twitch,wince,wonder,wonder whether,wound,wrestle,wring,writhe 514 - agonized,affected,afflicted,clawed,convulsed,crucified,devoured by,distressed,harrowed,hurt,hurting,imbued with,impressed,impressed with,in distress,in pain,lacerated,lancinated,martyred,martyrized,moved,obsessed,obsessed by,on the rack,pained,penetrated with,racked,ripped,savaged,seized with,stricken,suffering,tormented,torn,tortured,touched,twisted,under the harrow,wounded,wracked,wrung 515 - agonizing,acute,afflictive,atrocious,biting,consuming,cramping,cruel,desolating,distressful,distressing,excruciating,exquisite,fierce,gnawing,grave,griping,hard,harrowing,harsh,heartbreaking,heartrending,heartsickening,heartwounding,hurtful,hurting,intense,painful,paroxysmal,piercing,poignant,pungent,racking,rending,severe,sharp,shooting,spasmatic,spasmic,spasmodic,stabbing,stinging,tearing,tormented,tormenting,tortured,torturing,torturous,vehement,violent 516 - agonizingly,abominably,awfully,baldly,balefully,bitterly,blatantly,brashly,confoundedly,cruelly,damnably,deadly,deathly,deplorably,deucedly,distressfully,distressingly,dolorously,dreadfully,egregiously,excessively,excruciatingly,exorbitantly,extravagantly,flagrantly,frightfully,grievously,harrowingly,heartbreakingly,hellishly,horribly,improperly,inexcusably,infernally,inordinately,intolerably,lamentably,miserably,nakedly,openly,painfully,pathetically,piteously,pitiably,ruefully,sadly,shatteringly,shockingly,something awful,something fierce,sorely,staggeringly,terribly,torturously,unashamedly,unbearably,unconscionably,unduly,unpardonably,woefully 517 - agony,aching heart,affliction,agonizingness,agony of mind,anguish,atrocious pain,bale,bitterness,bleeding heart,broken heart,care,carking care,crucifixion,crushing,death agonies,death groan,death rattle,death struggle,death throes,deathbed,deathwatch,depression,depth of misery,desolateness,desolation,despair,distress,dolor,dying breath,excruciatingness,excruciation,extremity,final extremity,grief,heartache,heartbreak,heartfelt grief,heartgrief,heartsickness,heavy heart,infelicity,lamentation,languishment,last agony,last breath,last gasp,martyrdom,martyrization,melancholia,melancholy,misery,moribundity,pain,pangs,passion,pining,prostration,rack,sadness,sorrow,sorrowing,suffering,suicidal despair,throes,throes of death,torment,tormentingness,torture,torturousness,trouble,woe,wretchedness 518 - agrarian,Arcadian,agrestic,agricultural,agronomic,arable,bucolic,country,farm,farming,geoponic,lowland,native,natural,pastoral,provincial,rural,rustic,uncultivated,undomesticated,upland 519 - agree to,OK,abide by,accede,accede to,accept,accept obligation,acclaim,accord to,acquiesce,acquiesce in,agree,agree with,answer for,applaud,approve,approve of,assent,bargain,bargain for,be a bargain,be a deal,be a go,be answerable for,be on,be responsible for,be security for,be willing,bind,buy,cheer,come to terms,commit,compact,comply,condescend,connive at,consent,consent to silently,contract,covenant,deign,do a deal,endorse,engage,give consent,give the nod,go along with,go bail for,grant,hail,have an understanding,have no objection,hold with,in toto,make a bargain,make a deal,make a dicker,nod,nod assent,not refuse,obligate,okay,permit,promise,ratify,receive,sanction,say aye,say yes,shake hands,shake hands on,shake on it,stipulate,strike a bargain,subscribe to,take kindly to,take the vows,undertake,vote affirmatively,vote aye,vote for,welcome,wink at,yes,yield assent 520 - agree with,abide by,accede,accept,acclaim,accommodate,accommodate with,accord,acquiesce,acquiesce in,adapt,adapt to,adjust,adjust to,agree,agree in opinion,agree on,agree to,applaud,assent,assimilate to,be good for,be guided by,become,befit,bend,buy,cheer,chime in with,close with,coincide,come around to,come to terms,comply,comply with,compose,concur,conduce to health,conform,conform to,consent,correct,correspond,cotton to,covenant,discipline,ditto,echo,empathize,fall in with,fit,follow,gear to,get along,get along with,get on with,get together,give the nod,go along with,go by,go together,go with,hail,harmonize,harmonize with,hold with,identify with,in toto,interchange,make conform,meet,mold,nod,nod assent,observe,receive,reciprocate,reconcile,rectify,respond to,rub off corners,settle,shake hands on,shake on it,shape,side with,sing in chorus,straighten,strike a bargain,strike in with,subscribe to,suit,sympathize,take kindly to,tally with,understand one another,vote for,welcome,yes,yield,yield assent 521 - agree,abide by,accede,accede to,accept,acclaim,accompany,accord,acknowledge,acquiesce,acquiesce in,admit,agree in opinion,agree on,agree to,agree with,allow,answer to,applaud,approach,approve,approve of,assent,assent to,associate,assort with,bargain,bargain for,be agreeable to,be consistent,be dying to,be eager,be game,be in cahoots,be in phase,be in time,be of one,be open to,be ready,be spoiling for,be uniform with,be willing,buy,check,check out,cheer,chime,chime in with,close with,coact,coadunate,coexist,coextend,cohere,coincide,collaborate,collude,combine,come around to,come to terms,come together,compact,complete,comply,comport,concede,concert,concord,concur,conform,conform to,conform with,conjoin,connive,consent,consent to,consist,consist with,consort,conspire,contemporize,contract,cooperate,correspond,cotton to,covenant,ditto,do a deal,dovetail,echo,empathize,engage,equal,fall in together,fall in with,favor,fit in,fit together,fulfill,gee,get along,get along with,get on with,get together,give the nod,go,go along with,go together,go with,grant,hail,hang together,happen together,harmonize,harmonize with,hit,hold together,hold with,identify with,in toto,incline,interchange,interlock,intersect,isochronize,jibe,join,keep in step,keep pace with,lean,lock,look kindly upon,make a deal,march,match,meet,nod,nod assent,not hesitate to,overlap,own,parallel,plunge into,promise,quadrate,receive,reciprocate,recognize,reconcile,register,register with,respond to,rhyme,rival,round out,shake hands on,shake on it,side with,sing in chorus,sort with,square,square with,stand together,stipulate,strike a bargain,strike in with,subscribe,subscribe to,suit,supplement,sympathize,synchronize,synergize,take kindly to,tally,time,touch,understand one another,undertake,unite,vote for,welcome,would as leave,would as lief,yes,yield assent 522 - agreeable,Junoesque,OK,abject,acceptable,accepting,accommodating,accommodative,accordant,achingly sweet,acquiescent,admissible,adorable,affable,affirmative,agreeable,agreeable-sounding,agreeing,akin,alacritous,all right,alright,ambrosial,amenable,amiable,amicable,amply endowed,answerable,appealing,appetizing,approving,ardent,ariose,arioso,assenting,at one,attentive,attractive,attuned,becoming,benevolent,benign,benignant,blissful,bonhomous,bonny,braw,brotherly,built,built for comfort,buxom,callipygian,callipygous,canorous,cantabile,catchy,cheerful,civil,coexistent,coexisting,coherent,coincident,coinciding,comely,commensurate,compatible,complaisant,compliable,compliant,complying,concordant,concurring,conformable,congenial,congruent,congruous,consentaneous,consentient,consenting,considerate,consistent,consonant,content,cooperating,cooperative,cordial,correspondent,corresponding,courteous,curvaceous,curvy,dainty,decent,deferential,delectable,delicate,delicious,delightful,desirable,disposed,docile,dulcet,eager,easy,easy-natured,empathetic,empathic,en rapport,endorsing,enjoyable,enthusiastic,enviable,equivalent,euphonic,euphonious,euphonous,exciting,exquisite,fain,fair,fair and pleasant,favorable,favorably disposed,favorably inclined,felicific,felicitous,fine,fine-toned,forward,fraternal,frictionless,friendlike,friendly,game,generous,genial,gentle,goddess-like,golden,golden-tongued,golden-voiced,good,good enough,good to eat,good-humored,good-looking,good-natured,good-tasting,good-tempered,goodly,graceful,gracious,grateful,gratifying,gustable,gusty,harmonious,heart-warming,heedful,helpful,honeyed,in accord,in agreement,in concert,in favor,in rapport,in sync,in synchronization,in the mind,in the mood,in tune,inaccordance,inclined,indulgent,inharmony,juicy,kind,kindly,lenient,likable,like-minded,likely,lovable,lovely to behold,luscious,lush,melic,mellifluent,mellifluous,mellisonant,mellow,melodic,melodious,mild,minded,mindful,mindful of others,mouth-watering,music-flowing,music-like,musical,nectareous,nectarous,neighborlike,neighborly,nice,nondissenting,nonresistant,nonresisting,nonresistive,nothing loath,obedient,obliging,of a piece,of gourmet quality,of like mind,of one mind,okay,on all fours,overindulgent,overpermissive,palatable,passable,passive,peaceable,peaceful,permissive,personable,pleasant,pleasant-sounding,pleasing,pleasurable,pleasure-giving,pleasureful,pliant,pneumatic,polite,positive,predisposed,presentable,prompt,prone,proportionate,provocative,quick,ratifying,ready,ready and willing,receptive,reconcilable,regardful,resigned,respectful,responsive,rewarding,rich,sanctioning,sapid,satisfactory,satisfying,savorous,savory,scrumptious,seductive,self-consistent,servile,shapely,sightly,silver-toned,silver-tongued,silver-voiced,silvery,simpatico,singable,sisterly,slender,sociable,solicitous,songful,songlike,sonorous,stacked,statuesque,submissive,subservient,succulent,supine,sweet,sweet-flowing,sweet-sounding,sweet-tempered,symbiotic,sympathetic,sympathique,synchronized,synchronous,tactful,taking,tantalizing,tasty,tempting,tenable,thoughtful,to be desired,together,tolerant,toothsome,tractable,tunable,tuneful,unanimous,unassertive,uncomplaining,understanding,unexceptionable,ungrudging,unhostile,uniform,unisonant,unisonous,united,unloath,unobjectionable,unrefusing,unreluctant,unresistant,unresisting,urbane,viable,welcome,well-affected,well-built,well-disposed,well-favored,well-formed,well-inclined,well-intentioned,well-made,well-meaning,well-meant,well-natured,well-proportioned,well-shaped,well-stacked,willed,willing,willinghearted,winning,worth having,yummy,zealous 523 - agreed,OK,acquiescent,acquiescing,agreeing,all right,amen,arranged,assentatious,assenting,aye,be it so,compacted,compliant,conceding,concessive,consenting,content,contracted,covenanted,done,engaged,promised,sealed,settled,signed,so be it,so is it,so it is,stipulated,submissive,undertaken,yea,yep,you bet 524 - agreeing,accompanying,accordant,acquiescent,acquiescing,affirmative,agreeable,agreed,akin,amicable,answerable,approving,assentatious,assenting,associate,associated,at one,at one with,attuned,carried by acclamation,coacting,coactive,coadunate,coetaneous,coeternal,coeval,coexistent,coexisting,coherent,coincident,coinciding,coinstantaneous,collaborative,collateral,collective,collusive,combined,combining,commensurate,compatible,compliable,compliant,conceding,concerted,concessive,concomitant,concordant,concurrent,concurring,conformable,congenial,congruent,congruous,conjoint,consentaneous,consentient,consenting,consilient,consistent,consonant,conspiratorial,contemporaneous,contemporary,content,conterminous,cooperant,cooperating,cooperative,coordinate,correspondent,corresponding,coterminous,coworking,eager,empathetic,empathic,en rapport,endorsing,equivalent,favorable,frictionless,harmonious,in accord,in agreement,in concert,in rapport,in sync,in synchronization,in tune,inaccordance,inharmony,isochronal,isochronous,joint,like-minded,meeting,nothing loath,of a piece,of like mind,of one accord,of one mind,on all fours,parasitic,peaceful,permissive,positive,prompt,proportionate,ratifying,ready,reconcilable,sanctioning,saprophytic,self-consistent,simultaneous,solid,submissive,symbiotic,sympathetic,synchronized,synchronous,synergetic,synergic,synergistic,together,unanimous,unchallenged,uncontested,uncontradicted,uncontroverted,understanding,ungrudging,uniform,unison,unisonant,unisonous,united,uniting,unloath,unopposed,unrefusing,unreluctant,willing,with one consent,with one voice 525 - agreement,Anschluss,OK,acceptance,accession,acclamation,accommodation,accompaniment,accord,accordance,acquiescence,adaptation,adaption,addition,adjustment,affiliation,affinity,affirmation,affirmative,affirmative voice,agape,agglomeration,aggregation,agreement,agreement in principle,agreement of all,alikeness,alliance,amalgamation,amity,analogy,aping,approach,approbation,approval,approximation,arrangement,assent,assentation,assimilation,association,aye,bargain,binding agreement,blend,blending,blessing,bond,bonds of harmony,brotherly love,cabal,cahoots,caritas,cartel,cement of friendship,centralization,charity,chime,chorus,closeness,co-working,coaction,coalescence,coalition,coequality,coetaneity,coetaneousness,coevalneity,coevalness,coexistence,coincidence,collaboration,collective agreement,collectivity,collusion,combination,combine,combined effort,combo,commitment,common assent,common consent,communion,community,community of interests,compact,comparability,comparison,compatibility,compliance,composition,concert,concerted action,concomitance,concord,concordance,concordat,concourse,concurrence,confederacy,confederation,confluence,conformance,conformation other-direction,conformity,congeniality,congeries,conglomeration,congruence,congruity,conjugation,conjunction,connivance,consensus,consensus gentium,consensus of opinion,consensus omnium,consent,consentaneity,consilience,consistency,consolidation,consonance,consortium,conspiracy,contemporaneity,contemporaneousness,contract,convention,conventionality,cooperation,copying,correspondence,covenant,covenant of salt,deal,dicker,eagerness,ecumenism,embodiment,empathy,employment contract,encompassment,endorsement,engagement,enosis,entente,equality,equivalence,esprit,esprit de corps,federalization,federation,feeling of identity,fellow feeling,fellowship,flexibility,formal agreement,frictionlessness,fusion,general acclamation,general agreement,general consent,general voice,good vibes,good vibrations,happy family,harmony,hearty assent,homogeneity,homoousia,hookup,identity,imitation,inclusion,incorporation,indistinguishability,integration,ironclad agreement,junta,keeping,kinship,league,legal agreement,legal contract,like-mindedness,likeness,likening,line,love,malleability,marriage,meeting of minds,meld,melding,merger,metaphor,mimicking,mutual agreement,mutual understanding,mutuality,nearness,no difference,obedience,obligation,observance,okay,one accord,one voice,oneness,orthodoxy,package,package deal,pact,paction,parallelism,parasitism,parity,peace,permission,pliancy,preengagement,promise,promptitude,promptness,protocol,rapport,rapprochement,ratification,readiness,reciprocity,recognizance,reconcilement,reconciliation,resemblance,same mind,sameness,sanction,saprophytism,self-identity,selfhood,selfness,selfsameness,semblance,settlement,sharing,similarity,simile,similitude,simulation,simultaneity,single voice,solidarity,solidification,stipulation,strictness,submission,support,symbiosis,sympathy,symphony,synchronism,synchronization,syncretism,syndication,syneresis,synergy,synonymity,synonymousness,synonymy,synthesis,team spirit,tie-up,total agreement,traditionalism,transaction,treaty,tune,unanimity,unanimousness,understanding,undertaking,ungrudgingness,unification,uniformity,union,union contract,unison,united action,unity,universal agreement,unloathness,unreluctance,valid contract,verbal agreement,wage contract,warm assent,wedding,welcome,willingness 526 - agriculture,Ceres,Cora,Demeter,Dionysos,Dionysus,Flora,Frey,Gaea,Gaia,Kore,Persephassa,Persephone,Pomona,Proserpina,Proserpine,Triptolemos,Triptolemus,corn god,farming,fertility god,forest god,husbandry,vegetation spirit 527 - agriculturist,Bauer,agriculturalist,agrologist,agronomist,coffee-planter,collective farm worker,crofter,cropper,cultivator,dirt farmer,dry farmer,farm laborer,farmer,farmhand,gentleman farmer,granger,grower,harvester,harvestman,haymaker,husbandman,kibbutznik,kolkhoznik,kulak,muzhik,peasant,peasant holder,picker,planter,plowboy,plowman,raiser,rancher,ranchman,reaper,rustic,sharecropper,sower,tea-planter,tenant farmer,tiller,tree farmer,truck farmer,yeoman 528 - agronomics,agrarianism,agricultural geology,agriculture,agrology,agronomy,contour farming,cultivation,culture,dirt farming,dry farming,dryland farming,farm economy,farming,fruit farming,geoponics,grain farming,husbandry,hydroponics,intensive farming,mixed farming,rural economy,sharecropping,strip farming,subsistence farming,tank farming,thremmatology,tillage,tilth,truck farming 529 - agronomist,Bauer,agriculturalist,agriculturist,agrologist,coffee-planter,collective farm worker,crofter,cropper,cultivator,dirt farmer,dry farmer,farm laborer,farmer,farmhand,gentleman farmer,granger,grower,harvester,harvestman,haymaker,husbandman,kibbutznik,kolkhoznik,kulak,muzhik,peasant,peasant holder,picker,planter,plowboy,plowman,raiser,rancher,ranchman,reaper,rustic,sharecropper,sower,tea-planter,tenant farmer,tiller,tree farmer,truck farmer,yeoman 530 - aground,anchored,beached,castaway,caught,chained,fast,fastened,fixed,foundered,grounded,hard and fast,held,high and dry,impacted,inextricable,jammed,marooned,moored,on the rocks,packed,set fast,shipwrecked,stranded,stuck,stuck fast,swamped,tethered,tied,transfixed,wedged,wrecked 531 - ague,African lethargy,Asiatic cholera,Chagres fever,German measles,Haverhill fever,abscess,acute articular rheumatism,alkali disease,amebiasis,amebic dysentery,anemia,ankylosis,anoxia,anthrax,apnea,asphyxiation,asthma,ataxia,atrophy,bacillary dysentery,backache,bastard measles,black death,black fever,blackwater fever,bleeding,blennorhea,breakbone fever,brucellosis,bubonic plague,bumpiness,cachectic fever,cachexia,cachexy,cerebral rheumatism,chattering,chicken pox,chill,chills,cholera,chorea,cold shivers,colic,constipation,convulsion,coughing,cowpox,cyanosis,dandy fever,deer fly fever,dengue,dengue fever,diarrhea,diphtheria,dizziness,dropsy,dumdum fever,dysentery,dyspepsia,dyspnea,edema,elephantiasis,emaciation,encephalitis lethargica,enteric fever,erysipelas,fainting,famine fever,fatigue,fever,fibrillation,fits and starts,five-day fever,flu,flux,frambesia,glandular fever,grippe,growth,hansenosis,hemorrhage,hepatitis,herpes,herpes simplex,herpes zoster,high blood pressure,histoplasmosis,hookworm,hydrophobia,hydrops,hypertension,hypotension,icterus,indigestion,infantile paralysis,infectious mononucleosis,inflammation,inflammatory rheumatism,influenza,insomnia,itching,jactation,jactitation,jail fever,jaundice,jerkiness,joltiness,jungle rot,kala azar,kissing disease,labored breathing,lepra,leprosy,leptospirosis,loa loa,loaiasis,lockjaw,low blood pressure,lumbago,madness,malaria,malarial fever,marasmus,marsh fever,measles,meningitis,milzbrand,mumps,nasal discharge,nausea,necrosis,ornithosis,osteomyelitis,pain,palsy,paralysis,paratyphoid fever,parotitis,parrot fever,pertussis,pneumonia,polio,poliomyelitis,polyarthritis rheumatism,ponos,pruritus,psittacosis,quaking,quavering,quivering,rabbit fever,rabies,rash,rat-bite fever,relapsing fever,rheum,rheumatic fever,rickettsialpox,ringworm,rubella,rubeola,scarlatina,scarlet fever,schistosomiasis,sclerosis,seizure,septic sore throat,shakes,shaking,shingles,shivering,shivers,shock,shuddering,skin eruption,sleeping sickness,sleepy sickness,smallpox,snail fever,sneezing,sore,spasm,spasms,splenic fever,spotted fever,strep throat,succussion,swamp fever,tabes,tachycardia,tetanus,thrush,tinea,trembling,tremulousness,trench fever,trench mouth,tuberculosis,tularemia,tumor,typhoid,typhoid fever,typhus,typhus fever,undulant fever,upset stomach,vaccinia,varicella,variola,venereal disease,vertigo,vibration,viral dysentery,vomiting,wasting,whooping cough,yaws,yellow fever,yellow jack,zona,zoster 532 - ahead of its time,a la mode,advanced,avant-garde,contemporary,far out,fashionable,forward-looking,in,mod,modern,modernistic,modernized,modish,newfashioned,now,present-day,present-time,progressive,streamlined,twentieth-century,ultra-ultra,ultramodern,up-to-date,up-to-datish,up-to-the-minute,way out 533 - ahead,a cut above,above,ahead of time,alee,along,ante,ascendant,before,beforehand,beforetime,betimes,better,capping,chosen,distinguished,early,eclipsing,eminent,en route to,exceeding,excellent,excelling,finer,first,for,fore,foremost,foresightedly,forth,forward,forwards,greater,headmost,higher,in advance,in anticipation,in ascendancy,in front,in the ascendant,in the forefront,in the foreground,in the front,in the lead,major,marked,of choice,on,one up on,onward,onwards,outstanding,over,precociously,previous,rare,rivaling,super,superior,surpassing,to the fore,to the front,topping,transcendent,transcendental,transcending,up ahead,upper,winning 534 - aid and abet,abet,advocate,ask for,comfort,countenance,embolden,encourage,endorse,favor,feed,foster,give encouragement,go for,hearten,invite,keep in countenance,nourish,nurture,shine upon,smile upon,subscribe 535 - aid,Samaritan,a leg up,abet,acolyte,adjutant,agent,aide,aide-de-camp,aider,alimony,alleviate,alleviation,allotment,allowance,alterative,analeptic,ancilla,annuity,assist,assistance,assistant,assister,assuagement,attendant,auxiliary,avail,backer,backing,bail out,balm,balsam,bear a hand,befriend,befriender,benefactor,benefactress,benefit,benefiter,best man,bounty,carriage,carrying,clear the way,coadjutant,coadjutor,coadjutress,coadjutrix,comfort,corrective,cure,depletion allowance,deputy,do for,do good,doctor,dole,ease,executive officer,expedite,explain,facilitate,favor,fellowship,finance,financial assistance,fund,give a boost,give a hand,give a lift,give help,good Samaritan,good person,grant,grant-in-aid,grease,grease the ways,grease the wheels,guaranteed annual income,hand,hasten,healing agent,healing quality,help,help along,help out,helper,helping hand,helpmate,helpmeet,jack-at-a-pinch,lend a hand,lend one aid,lieutenant,lift,lighten,loose,lubricate,maintenance,make clear,make way for,ministering angel,ministrant,mitigate,mitigation,moral support,oil,old-age insurance,open the way,open up,paranymph,paraprofessional,patron,pave the way,pay the bills,pecuniary aid,pension,pension off,prepare the way,prescription,price support,proffer aid,protect,psychological support,public assistance,public welfare,quicken,rally,receipt,recipe,reclaim,redeem,reliance,relief,relieve,remedial measure,remedy,remove friction,render assistance,rescue,restorative,restore,resuscitate,retirement benefits,revive,run interference for,save,scholarship,second,security blanket,servant,set up,sideman,simplify,smooth,smooth the way,soap the ways,sovereign remedy,specific,specific remedy,speed,stead,stipend,striker,subsidization,subsidize,subsidy,subvention,succor,succorer,support,supporting actor,supporting instrumentalist,supportive relationship,supportive therapy,sustaining,sustainment,sustenance,sustentation,take in tow,tax benefit,unbar,unblock,unclog,unjam,upholding,upkeep,welfare,welfare aid,welfare payments 536 - aide,ADC,CO,OD,acolyte,adjutant,agent,aid,aide-de-camp,aider,ally,assistant,attendant,auxiliary,best man,brigadier,brigadier general,captain,chicken colonel,chief of staff,coadjutant,coadjutor,coadjutress,coadjutrix,cohort,colleague,colonel,commandant,commander,commander in chief,commanding officer,commissioned officer,company officer,comrade,deputy,exec,executive officer,field marshal,field officer,first lieutenant,five-star general,four-star general,general,general officer,generalissimo,girl Friday,help,helper,helpmate,helpmeet,jemadar,junior officer,lieutenant,lieutenant colonel,lieutenant general,major,major general,man Friday,marechal,marshal,officer,one-star general,orderly officer,paranymph,paraprofessional,partner,right hand,right-hand man,risaldar,second,senior officer,servant,shavetail,sideman,sirdar,staff officer,subahdar,subaltern,sublieutenant,supporting actor,supporting instrumentalist,the Old Man,the brass,three-star general,top brass,two-star general 537 - ail,ache,afflict,agonize,anguish,be affected with,be the matter,beset,bite,blanch,blench,bother,burn,chafe,complain of,complicate matters,concern,convulse,crucify,cut,discommode,distress,disturb,excruciate,feel ill,feel pain,feel the pangs,fester,fret,gall,give pain,gnaw,grate,grimace,grind,gripe,harass,harrow,have a misery,hurt,inconvenience,inflame,inflict pain,irk,irritate,kill by inches,labor under,lacerate,martyr,martyrize,nip,pain,perplex,perturb,pierce,pinch,plague,pother,pound,prick,prolong the agony,put out,put to it,put to torture,puzzle,rack,rankle,rasp,rub,shoot,shrink,smart,stab,sting,suffer,thrill,throb,tingle,torment,torture,trouble,try,tweak,twinge,twist,twitch,upset,vex,wince,worry,wound,wring,writhe 538 - ailment,abnormality,acute disease,affection,affliction,allergic disease,allergy,atrophy,bacterial disease,birth defect,blight,cardiovascular disease,chronic disease,circulatory disease,complaint,complication,condition,congenital defect,defect,deficiency disease,deformity,degenerative disease,disability,disease,disorder,disquiet,disquietude,distemper,endemic,endemic disease,endocrine disease,epidemic disease,ferment,functional disease,fungus disease,gastrointestinal disease,genetic disease,handicap,hereditary disease,iatrogenic disease,ill,illness,indisposition,infectious disease,infirmity,inquietude,malady,malaise,morbidity,morbus,muscular disease,neurological disease,nutritional disease,occupational disease,organic disease,pandemic disease,pathological condition,pathology,plant disease,protozoan disease,psychosomatic disease,queasiness,respiratory disease,restiveness,restlessness,rockiness,secondary disease,seediness,sickishness,sickness,signs,symptomatology,symptomology,symptoms,syndrome,the pip,turmoil,urogenital disease,virus disease,wasting disease,worm disease 539 - aim at,aim,aspire after,aspire to,barrage,be after,be desirous of,bend,blast,blitz,bombard,cannon,cannonade,choose,commence firing,desiderate,design,desire,destine,determine,direct,directionize,drive at,enfilade,fancy,favor,fire a volley,fire at,fire upon,fix,fix on,fusillade,go for,harbor a design,have designs on,have every intention,hold on,intend,level at,like,love,lust,lust after,mean,mortar,open fire,open up on,pepper,plan,point,point at,point to,pop at,prefer,present,project,propose,purport,purpose,rake,resolve,set,shell,shoot,shoot at,sight on,snipe,snipe at,strafe,take aim at,take to,think,torpedo,train,train upon,turn,turn upon,want,wish,wish to goodness,wish very much,would fain do,zero in on 540 - aim,address,affectation,aim at,ambition,angle,animus,aspiration,aspire,aspire after,aspire to,atmosphere,attempt,aura,azimuth,be after,be determined,bear,bearing,bend,bent,butt,by-end,by-purpose,cast,character,choose,complacency,concentrate,contemplate,counsel,course,covet,crave,current,descant,desideration,desideratum,design,desire,destination,destine,determination,determine,diapason,direct,direction,direction line,directionize,dispose,drift,drive at,effect,end,end in view,endeavor,essay,expect,feel,feeling,final cause,fix,fix on,fixed purpose,focus,function,game,go,go for,goal,harbor a design,have every intention,have in view,head,heading,helmsmanship,hold a heading,hold on,idea,idol,inclination,incline,intend,intendment,intent,intention,labor,lay,lead,level,level at,lie,line,line of direction,line of march,loftiness,lugs,mannerism,mark,mean,meaning,measure,melodia,melody,mind,mood,motive,navigation,nisus,object,object in mind,objective,orientation,ostentation,pant,piloting,plan,point,point at,point to,present,pretentiousness,prey,project,property,proposal,propose,prospectus,purport,purpose,pursuit,quality,quarry,quarter,quintain,range,reason for being,resolution,resolve,run,sake,seek,self-importance,semblance,set,show,sight on,steer,steerage,steering,strain,strive,striving,struggle,study,sweat,sweat blood,take aim,target,teleology,tend,tend to go,tendency,tenor,think,track,train,train upon,trend,try,tune,turn,turn upon,ultimate aim,urge,vainglory,vanity,verge,view,want,warble,way,will,wish,yearn for 541 - aimless,amorphous,by the way,capricious,casual,causeless,chance,designless,desultory,deviative,digressive,disarticulated,discontinuous,discursive,disjunct,disordered,dispersed,disproportionate,driftless,dysteleological,empty,episodic,erratic,excursive,feckless,fitful,formless,frivolous,garbled,gratuitous,haphazard,hit-or-miss,immethodical,importless,impotent,inane,inchoate,incoherent,indiscriminate,ineffective,ineffectual,inexplicable,insignificant,irregular,loose,maundering,meaningless,mindless,misshapen,no go,nonconnotative,nondenotative,nonsymmetrical,nonsystematic,nonuniform,null,of no use,orderless,phatic,planless,pointless,promiscuous,purportless,purposeless,rambling,random,roving,scrambled,senseless,shapeless,spasmodic,sporadic,stochastic,straggling,straggly,stray,superfluous,systemless,unaccountable,unarranged,unavailing,unclassified,undirected,ungraded,unjoined,unmeaning,unmethodical,unmotivated,unordered,unorganized,unsignificant,unsorted,unsymmetrical,unsystematic,ununiform,useless,vagrant,vague,wandering,wanton,wayward 542 - aimlessly,anarchically,at haphazard,at hazard,at random,bootlessly,casually,chaotically,confusedly,dispersedly,dysteleologically,fecklessly,fruitlessly,futilely,haphazardly,indiscriminately,inexplicably,insignificantly,meaninglessly,needlessly,nonconnotatively,nondenotatively,nonsensically,planlessly,pointlessly,promiscuously,purposelessly,randomly,riotously,senselessly,stochastically,to little purpose,to no purpose,turbulently,unaccountably,unmeaningly,unnecessarily,unsignificantly,uselessly,vaguely,vainly,wanderingly 543 - air built,aerial,airy,chimeric,chimerical,cloud-born,cloud-built,cloud-woven,dreamlike,ethereal,fanciful,fatuitous,fatuous,gaseous,gossamery,illusory,imaginary,phantasmal,phantomlike,rarefied,shadowy,spirituous,subtile,subtle,tenuous,unreal,vaporous,vapory,windy 544 - air condition,aerate,air,air out,air-cool,airify,chill,cool,cross-ventilate,fan,freshen,ice,ice-cool,infrigidate,oxygenate,oxygenize,refresh,refrigerate,ventilate,wind,winnow 545 - air conditioning,adiabatic absorption,adiabatic demagnetization,adiabatic expansion,aerage,aeration,air cooling,airing,blast freezing,chilling,congealment,congelation,cooling,cross-ventilation,cryogenics,deep freezing,dehydrofreezing,electric refrigeration,food freezing,freezing,gas refrigeration,glaciation,glacification,infrigidation,mechanical refrigeration,oxygenation,oxygenization,perflation,quick freezing,reduction of temperature,refreezing,refreshment,refrigeration,regelation,sharp freezing,super-cooling,ventilation 546 - air corps,adjutant general corps,air arm,air force,air service,armored corps,army corps,army nurse corps,bugle corps,chemical corps,corps,corps of cadets,corps of signals,corps troops,dental corps,drum corps,engineer corps,escadrille,flight,marine corps,medical corps,military police corps,ordnance corps,quartermaster corps,rifle corps,signal corps,squadron,strategic air force,tactical air force,tank corps,transportation corps,veterinary corps,wing 547 - air current,crosscurrent,current,current of air,downdraft,draft,fall wind,flow of air,following wind,head wind,indraft,inflow,inhalation,inrush,inspiration,jetstream,katabatic wind,monsoon,movement of air,stream,stream of air,tail wind,undercurrent,updraft,wind 548 - air express,airfreight,airlift,asportation,bearing,carriage,carry,carrying,cartage,conveyance,drayage,expressage,ferriage,freight,freightage,haulage,hauling,lighterage,lugging,packing,portage,porterage,railway express,shipment,shipping,telpherage,toting,transport,transportation,transshipment,truckage,waft,waftage,wagonage 549 - air force,ANAC,ARF,ATC,ATS,Air Command,Air Transport Command,Air Transport Service,Airborne Reconnaissance Force,Army-Navy Air Corps,Bomber Command,CASU,Coastal Command,FEAF,Fleet Air Arm,MATS,NAD,NATS,Naval Air Division,Navy Air,RAAF,RAF,RCAF,Royal Air Force,SAC,Strategic Air Command,US Air Force,USAAF,USAF,USNAS,ace,air arm,air armada,air corps,air service,bandit,bogey,bomber pilot,combat pilot,combat plane,enemy aircraft,escadrille,fighter pilot,flight,flyboy,military pilot,naval pilot,observer,squadron,strategic air force,suicide pilot,tactical air force,wing 550 - air hole,CAT,aerospace,aerosphere,air duct,air passage,air pocket,air shaft,air tube,airspace,airway,armhole,blowhole,breathing hole,bullet-hole,bump,bunghole,ceiling,cringle,crosswind,deadeye,empty space,eye,eyelet,favorable wind,fog,front,gasket,grommet,guide,head wind,high-pressure area,hole,ionosphere,jetstream,keyhole,knothole,loop,loophole,louver,louverwork,low-pressure area,manhole,mousehole,naris,nostril,overcast,peephole,pigeonhole,pinhole,placket,placket hole,pocket,porthole,punch-hole,roughness,shaft,soup,space,spilehole,spiracle,stratosphere,substratosphere,tail wind,tap,touchhole,transom,tropopause,troposphere,trough,turbulence,vent,ventage,venthole,ventiduct,ventilating shaft,ventilator,visibility,visibility zero,wind tunnel 551 - air lane,air line,air route,airway,beat,circuit,corridor,course,flight path,itinerary,lane,line,orbit,path,primrose path,road,round,route,run,sea lane,shortcut,tour,track,trade route,traject,trajectory,trajet,walk 552 - air lock,aboideau,access,adit,approach,corridor,dock gate,entrance,entranceway,entry,entryway,flood-hatch,floodgate,gangplank,gangway,gate,hall,head gate,in,ingress,inlet,intake,lock,lock gate,means of access,opening,passage,passageway,penstock,sluice,sluice gate,tide gate,vestibule,water gate,way,way in,weir 553 - air mass,anticyclone,cold front,cold sector,cyclone,front,high,high-pressure area,isobar,isometric,isometric line,isopiestic line,isotherm,isothermal line,low,low-pressure area,occluded front,polar front,squall line,stationary front,warm front,weather map,wind-shift line 554 - air pocket,CAT,aerospace,aerosphere,air hole,airspace,bump,ceiling,crosswind,empty space,favorable wind,fog,front,head wind,high-pressure area,hole,ionosphere,jetstream,low-pressure area,overcast,pocket,roughness,soup,space,stratosphere,substratosphere,tail wind,tropopause,troposphere,trough,turbulence,visibility,visibility zero 555 - air pollution,air,attritus,badness,bran,contamination,cosmic dust,crumb,crumble,dust,dust ball,efflorescence,fallout,farina,filings,flour,grits,groats,harmfulness,health hazard,injuriousness,insalubriousness,insalubrity,kittens,lint,meal,menace to health,noise pollution,noisomeness,noxiousness,pathenogenicity,pollution,powder,pussies,raspings,sawdust,smut,soot,unhealthfulness,unhealthiness,unsalutariness,unwholesomeness,water 556 - air raid,air attack,air cover,air strike,air support,blitz,blitzkrieg,boarding,bombardment,bombing,cannonade,cover,dry run,escalade,fire raid,foray,incursion,inroad,invasion,irruption,lightning attack,lightning war,milk run,mission,raid,razzia,reconnaissance,reconnaissance mission,saturation raid,scaling,scramble,shuttle raid,sortie,strafe,strafing,training mission,umbrella 557 - air shaft,air duct,air hole,air passage,air tube,airway,blowhole,breathing hole,louver,louverwork,naris,nostril,shaft,spilehole,spiracle,touchhole,transom,vent,ventage,venthole,ventiduct,ventilating shaft,ventilator,wind tunnel 558 - air space,CAT,Lebensraum,aerospace,aerosphere,air hole,air pocket,area,back country,belt,bump,ceiling,clear space,clearance,clearing,confines,continental shelf,corridor,country,crosswind,department,desert,distant prospect,district,division,elbowroom,empty space,empty view,environs,favorable wind,fog,front,glade,ground,head wind,headroom,heartland,high-pressure area,hinterland,hole,ionosphere,jetstream,land,latitude,leeway,living space,low-pressure area,margin,milieu,neighborhood,offshore rights,open country,open space,outback,overcast,part,parts,place,plain,play,pocket,prairie,precincts,premises,purlieus,quarter,region,room,room to spare,roughness,salient,sea room,section,soil,soup,space,spare room,steppe,stratosphere,substratosphere,swing,tail wind,terrain,territory,three-mile limit,tropopause,troposphere,trough,turbulence,twelve-mile limit,vicinage,vicinity,visibility,visibility zero,way,wide-open spaces,wilderness,zone 559 - air speed,celerity,dispatch,expedition,fastness,flight,flit,flurry,ground speed,haste,hurry,instantaneousness,knots,lightning speed,miles per hour,precipitation,promptitude,promptness,quickness,rapidity,round pace,rpm,rush,shock wave,snappiness,sonic barrier,sonic boom,sound barrier,speed,speed of sound,speediness,swift rate,swiftness,velocity 560 - air,CAT,Caelus,action,actions,activity,acts,address,advertise,aerate,aerodynamics,aerospace,aerosphere,affectation,air,air hole,air out,air pocket,air-condition,air-cool,airify,airspace,airy nothing,analyze,aria,atmosphere,atom,atomic particles,aura,azure,bearing,behavior,behavior pattern,behavioral norm,behavioral science,blazon forth,blue sky,brandish,break it to,break the news,breathe,breeze,broach,broadcast,brow,brute matter,bubble,building block,bump,caelum,canopy,canopy of heaven,canto,cantus,canvass,carriage,cast,cast of countenance,ceiling,cerulean,chaff,chemical element,chip,climate,cobweb,color,come out with,comment upon,complexion,component,comportment,conduct,confide,confide to,consider,constituent,controvert,cooling breeze,cope,cork,countenance,cross-ventilate,crosswind,culture pattern,custom,dangle,deal with,debate,declare,deliberate,deliberate upon,demeanor,demonstrate,deportment,descant,discourse about,discover,discuss,display,divulgate,divulge,doing,doings,down,dust,earth,element,elementary particle,elementary unit,emblazon,empty space,empyrean,ether,evulgate,examine,exchange views,exhibit,face,facial appearance,fairy,fan,favor,favorable wind,feather,feature,features,feel,feeling,fire,firmament,flash,flaunt,flourish,flue,fluff,fluid,foam,fog,folkway,freshen,front,froth,fundamental particle,fuzz,gale,garb,gas,gentle wind,gestures,give,give out,give vent to,go into,goings-on,gossamer,guise,halogen gas,handle,head wind,heaven,heavens,high-pressure area,hold up,hole,hyaline,hyle,hypostasis,illusion,inert gas,investigate,ionosphere,jetstream,knock around,lay,let get around,let in on,let out,lift,lifts,light air,light breeze,light wind,line,lineaments,lines,looks,low-pressure area,maintien,make known,make public,manifest,manner,manners,material,material world,materiality,matter,measure,melodia,melodic line,melody,method,methodology,methods,mien,milieu,mist,moderate breeze,modus vivendi,molecule,monad,mote,motions,movements,moves,natural world,nature,noise abroad,note,observable behavior,ocean breeze,onshore breeze,open up,out with,overcast,overtone,oxygenate,oxygenize,parade,pass under review,pattern,phantom,physical world,physiognomy,plenum,pneumatics,pocket,poise,port,pose,posture,practice,praxis,presence,procedure,proceeding,proclaim,publish,put,put forth,put forward,put out,quality,rap,reason,reason about,reason the point,refrain,refresh,reveal,review,roughness,sea breeze,sense,set,shadow,sift,sky,smoke,social science,softblowing wind,solo,solo part,song,soprano part,soup,space,spirit,sponge,sport,spume,stance,starry heaven,state,strain,stratosphere,straw,study,stuff,style,substance,substratosphere,substratum,tactics,tail wind,take up,talk,talk about,talk of,talk over,tell,the blue,the blue serene,the four elements,thin air,thistledown,thresh out,tone,traits,treat,treble,tropopause,troposphere,trough,trumpet,trumpet forth,tune,turbulence,turn,undertone,unit of being,utter,vapor,vault,vault of heaven,vaunt,vent,ventilate,visage,visibility,visibility zero,water,wave,way,way of life,ways,welkin,wind,winnow,zephyr 561 - airburst,altitude peak,automatic control,blast-off,burn,burnout,ceiling,descent,end of burning,flight,ignition,impact,launch,lift-off,rocket launching,shoot,shot,trajectory,velocity peak 562 - airfreight,air express,air transport,air travel,air-express,airlift,airmail,asportation,bearing,carriage,carry,carrying,cartage,consign,conveyance,dispatch,drayage,drop a letter,embark,expedite,export,express,expressage,ferriage,forward,freight,freightage,haulage,hauling,lighterage,lugging,mail,packing,portage,porterage,post,railway express,range,remit,send,send away,send forth,send off,ship,shipment,shipping,shuttle,shuttle service,telpherage,toting,transmit,transport,transportation,transshipment,truckage,waft,waftage,wagonage 563 - airiness,Prospero,airy nothing,airy texture,appearance,ascent,attenuation,bodilessness,bounce,breeziness,bubbliness,buoyancy,carefreeness,chirpiness,daintiness,debonairness,delicacy,delusiveness,diaphanousness,dilutedness,dilution,downiness,draftiness,ethereality,exiguity,exility,fallaciousness,false appearance,false light,false show,falseness,fineness,flimsiness,floatability,fluffiness,foaminess,frailty,frothiness,gauziness,gentleness,gossameriness,gracility,gustiness,idealization,illusionism,illusionist,illusiveness,immateriality,impalpability,imponderability,incorporeality,insolidity,insubstantiality,intangibility,jauntiness,laciness,lack of weight,levitation,levity,light heart,lightheartedness,lightness,lightsomeness,magic,magic act,magic show,magician,mistiness,paperiness,perkiness,pertness,prestidigitation,rareness,rarity,resilience,seeming,semblance,show,simulacrum,sleight of hand,slenderness,slightness,slimness,softness,sorcerer,sorcery,specious appearance,subtility,subtilty,subtlety,tenderness,tenuity,tenuousness,thinness,unactuality,unconcreteness,unheaviness,unreality,unsolidity,unsubstantiality,unsubstantialness,vagueness,volatility,wateriness,weakness,weightlessness,windiness,wispiness,yeastiness 564 - airing,Sunday drive,aerage,aeration,air conditioning,air cooling,amble,analysis,bandying,book,broadcast,broadcasting,bruiting,bruiting about,buzz session,canvassing,circulation,colloquium,conference,consideration,constitutional,cross-ventilation,debate,debating,deliberation,dialectic,dialogue,diffusion,discussion,display,dissemination,drive,evulgation,examination,exchange of views,forced march,forum,hike,investigation,issuance,issue,jaunt,joint discussion,joyride,lift,logical analysis,logical discussion,march,mush,open discussion,open forum,oxygenation,oxygenization,panel discussion,parade,perflation,periodical,peripatetic journey,peripateticism,pickup,printing,promenade,promulgation,propagation,publication,publishing,ramble,rap,rap session,refreshment,review,ride,saunter,schlep,seminar,spin,spread,spreading,spreading abroad,stretch,stroll,study,symposium,telecasting,town meeting,traipse,tramp,treatment,trudge,turn,ventilation,walk,walking tour,whirl 565 - airlift,aeroplane,air express,airfreight,airplane,asportation,balloon,be airborne,bearing,carriage,carry,carrying,cartage,conveyance,cruise,drayage,drift,expressage,ferriage,ferry,flight,flit,fly,freight,freightage,glide,haulage,hauling,hop,hover,hydroplane,jet,jump,lighterage,lugging,navigate,packing,portage,porterage,railway express,run,sail,sailplane,seaplane,shipment,shipping,soar,solo,take the air,take wing,telpherage,test flight,toting,transport,transportation,transshipment,trip,truckage,volplane,waft,waftage,wagonage,wing 566 - airline,aeronautics,air lane,air route,air service,airway,astronautics,aviation,axis,ballooning,beeline,blind flying,chord,cloud-seeding,commercial aviation,contact flying,corridor,cruising,cut,cutoff,diagonal,diameter,direct line,directrix,edge,flight,flying,general aviation,gliding,great-circle course,lane,normal,path,perpendicular,pilotage,radius,radius vector,right line,sailing,sailplaning,secant,segment,shortcut,shortest way,side,soaring,straight,straight course,straight line,straight stretch,straightaway,streamline,tangent,transversal,vector,winging 567 - airmail,PP,RD,RFD,air-express,airfreight,book post,consign,correspondence,direct mail,direct-mail selling,dispatch,drop a letter,embark,expedite,export,express,forward,fourth-class mail,frank,freight,halfpenny post,junk mail,letter post,letters,mail,mail-order selling,mailing list,newspaper post,parcel post,post,post day,registered mail,remit,rural delivery,rural free delivery,sea mail,seapost,send,send away,send forth,send off,ship,special delivery,special handling,surface mail,transmit 568 - airman,aeronaut,aeroplaner,aeroplanist,air pilot,airplanist,astronaut,aviator,barnstormer,birdman,captain,cloud seeder,commercial pilot,copilot,crop-duster,flier,instructor,jet jockey,licensed pilot,pilot,rainmaker,stunt flier,stunt man,test pilot,wingman 569 - airmanship,ability,address,adeptness,adroitness,artfulness,artisanship,artistry,bravura,brief,briefing,brilliance,capability,capacity,cleverness,command,competence,control,coordination,craft,craftsmanship,cunning,deftness,dexterity,dexterousness,dextrousness,diplomacy,efficiency,expertise,facility,finesse,flight plan,flying lessons,grace,grip,handiness,horsemanship,ingeniousness,ingenuity,know-how,marksmanship,mastership,mastery,pilot training,pilotship,practical ability,proficiency,prowess,quickness,readiness,resource,resourcefulness,rundown,savoir-faire,savvy,seamanship,skill,skillfulness,style,tact,tactfulness,technical brilliance,technical mastery,technical skill,technique,timing,virtuosity,washout,wit,wizardry,workmanship 570 - airplane,Cub,VTOL,adjustable propeller,aeroplane,afterburner,aileron,air ambulance,air controls,air scoop,air scout,aircraft,airfreighter,airlift,airliner,airscrew,all-weather fighter,ambulance,amphibian transport,antisubmarine plane,assault transport,astrodome,attack bomber,avion,avion-canon,balloon,bay,be airborne,beaching gear,biplane,blister,body,bomb bay,bomber,bonnet,bow,brace wire,bubble,bubble canopy,bubble hood,bucket seat,cabin,canard,canopy,cargo plane,cargo transport,cat strip,chassis,chin,club plane,coaxial propellers,cockpit,coke-bottle fuselage,control surface,control wires,convertiplane,cowl,crew compartment,crop-duster,cruise,cruiser,deck,dihedral,dive bomber,dorsal airdome,drift,drone,dual controls,ejection seat,ejector,elevator,elevon,escort fighter,ferry,fighter,fin,finger patch,flap,flit,float,fly,flying banana,flying fortress,flying machine,flying platform,freight transport,freighter,fuel injector,fuselage,gas-shaft hood,glide,glider,gore,grasshopper,ground-attack fighter,gull wing,gun mount,hatch,heavier-than-air craft,heavy bomber,heavy transport,helicopter,hood,hop,hover,hovercraft,hunter,hydroplane,instruments,interceptor,jackstay,jet,jet bomber,jet pipe,jet plane,keel,killer,kite,laminar-flow system,landing gear,launching gear,launching tube,leading edge,light bomber,light transport,liner,long-range bomber,longeron,mailplane,medium bomber,military transport,mobile command post,monoplace,monoplane,mosquito,multipurpose plane,nacelle,naval aircraft,naval bomber,navigate,night fighter,nose,observation plane,ornithopter,pants,parasol,parasol wing,pathfinder,patrol bomber,patrol plane,picket patrol plane,pilotless aircraft,plane,pod,pontoon,precision bomber,private plane,prop,propeller,propeller plane,radar picket plane,reconnaissance plane,rescue helicopter,robot plane,rotor plane,rudder,rudder bar,sail,sailplane,scout,scout plane,seaplane,sesquiplane,ship,ski landing gear,ski-plane,sky truck,slitwing,soar,spinner,spoiler,sport plane,spotter plane,spray strip,spy plane,stabilizator,stabilizer,stay,stick,stick control,stratofreighter,stratojet,stressed skin,strut,tail,tail plane,tail skid,take the air,take wing,tandem plane,torpedo bomber,torpedo strike aircraft,trainer,trainer-bomber,trainer-fighter,transport,triplane,troop carrier,troop transport,truss,turbojet,turret,undercarriage,volplane,wheel parts,wing,wing radiator 571 - airs,affectation,affectedness,airs and graces,arrogance,artificiality,clannishness,cliquishness,contempt,contemptuousness,contumely,despite,disdain,disdainfulness,disparagement,exclusiveness,facade,false front,false show,feigned belief,front,hauteur,highfaluting ways,hypocrisy,image,insincerity,insult,lofty airs,mannerism,mere show,pretense,pretension,pretensions,prunes and prisms,public image,put-on,putting on airs,ridicule,scorn,scornfulness,sham,show,side,sniffiness,snobbishness,snootiness,snottiness,sovereign contempt,stylishness,superciliousness,swank,toploftiness,unnaturalness,vain pretensions,vaporing 572 - airship,Graf Zeppelin,aerostat,ballonet,balloon,basket,blimp,car,catwalk,dirigible,dirigible balloon,envelope,gas chamber,gasbag,gondola,lighter-than-air craft,mooring harness,rigid airship,sandbag,semirigid airship,ship,subcloud car,zeppelin 573 - airsick,aerial,aerophysical,aerospace,aerotechnical,air-conscious,air-minded,air-wise,airworthy,aviational,barfy,carsick,nauseated,nauseous,pukish,puky,qualmish,qualmy,queasy,seasick,squeamish 574 - airtight,ballproof,bombproof,bulletproof,burglarproof,close,compact,corrosionproof,dampproof,dustproof,dusttight,fast,fire-resisting,fireproof,firm,flameproof,foolproof,gasproof,gastight,hermetic,hermetically sealed,holeproof,impervious to,leakproof,lightproof,lighttight,noiseproof,oilproof,oiltight,proof,proof against,punctureproof,rainproof,raintight,resistant,rustproof,sealed,shatterproof,shellproof,shut fast,smokeproof,smoketight,snug,soundproof,staunch,stormproof,stormtight,tight,water-repellant,waterproof,watertight,weatherproof,windproof,windtight 575 - airway,air duct,air hole,air lane,air line,air passage,air route,air shaft,air tube,blowhole,breathing hole,corridor,lane,louver,louverwork,naris,nostril,path,shaft,spilehole,spiracle,touchhole,transom,vent,ventage,venthole,ventiduct,ventilating shaft,ventilator,wind tunnel 576 - airy,Barmecidal,Barmecide,Olympian,adulterated,aeolian,aerial,aeriform,aerodynamic,aerostatic,aery,air-built,airish,airlike,airy,alfresco,altitudinous,animated,apparent,apparitional,ascending,asinine,asomatous,aspiring,astral,atmospheric,attenuate,attenuated,autistic,blasty,blowy,blustering,blusterous,blustery,bodiless,boreal,bouncy,boyish,breezy,brisk,bubbly,buoyant,carefree,careless,casual,catchpenny,chimeric,chimerical,cloud-built,colossal,corky,cursory,cut,dainty,debonair,decarnate,decarnated,deceptive,degage,delicate,delusional,delusionary,delusive,delusory,dereistic,diaphanous,dilute,diluted,discarnate,disembodied,disregardant,disregardful,dominating,downy,drafty,dreamlike,dreamy,easygoing,effervescent,elevated,eminent,empty,erroneous,ethereal,exalted,expansive,exposed,exquisite,extramundane,fallacious,false,fanciful,fantastic,fatuitous,fatuous,favonian,feathery,fine,fine-drawn,finespun,flawy,flimsy,flippant,fluffy,foamy,foolish,forgetful,frail,free and easy,fresh,fribble,fribbling,frivolous,frothy,fuming,fumy,futile,gaseous,gasified,gasiform,gaslike,gassy,gauzy,ghostly,girlish,gossamer,gossamery,gracile,gusty,haughty,heedless,high,high-pitched,high-reaching,high-set,high-spirited,high-up,idealistic,idle,illusional,illusionary,illusive,illusory,imaginary,immaterial,impalpable,imponderable,imponderous,impractical,in the clouds,inane,inconsiderate,incorporate,incorporeal,indifferent,insouciant,insubstantial,intangible,jaunty,lacy,lazy,leger,light,light as air,lighter than vanity,lighthearted,lightsome,lofty,mephitic,miasmal,miasmatic,miasmic,misleading,misty,monumental,mounting,mousse,nonmaterial,nonphysical,nugacious,nugatory,oblivious,occult,offhand,open-air,ostensible,otherworldly,otiose,outtopping,overlooking,overtopping,oxyacetylene,oxygenous,ozonic,papery,perfunctory,perky,phantasmagoric,phantasmal,phantom,phantomlike,pneumatic,poetic,prominent,psychic,puffy,quixotic,rare,rarefied,reckless,reeking,reeky,regardless,resilient,respectless,romancing,romantic,romanticized,roomy,seeming,self-deceptive,self-deluding,shadowy,shallow,silly,skyscraping,slender,slenderish,slight,slight-made,slim,slimmish,slinky,small,smoking,smoky,soaring,souffle,specious,spectral,spiring,spirited,spiritual,spirituous,squally,starry-eyed,steaming,steamy,steep,storybook,sublime,subtile,subtle,superficial,superlative,supernal,supernatural,supposititious,svelte,sylphlike,tactless,tenuous,thin,thin-bodied,thin-set,thin-spun,thinned,thinned-out,thinnish,thoughtless,threadlike,topless,toplofty,topping,towering,towery,transcendental,transmundane,trifling,trite,trivial,tropospheric,unactual,uncompact,uncompressed,undiplomatic,unearthly,unembodied,unextended,unfleshly,unfounded,unheavy,unheedful,unheeding,unmindful,unphysical,unpractical,unprepared,unready,unreal,unrealistic,unsolicitous,unsubstantial,untactful,unthinking,unworldly,uplifted,upreared,vacuous,vague,vain,vapid,vaporing,vaporish,vaporlike,vaporous,vapory,visionary,volatile,wasp-waisted,watered,watered-down,watery,weak,weightless,willowy,windswept,windy,wiredrawn,wish-fulfilling,wispy,yeasty 577 - aisle,access,alley,ambulatory,aperture,arcade,artery,avenue,channel,cloister,colonnade,communication,conduit,connection,corridor,covered way,defile,exit,ferry,ford,gallery,inlet,interchange,intersection,junction,lane,opening,outlet,overpass,pass,passage,passageway,portico,railroad tunnel,traject,trajet,tunnel,underpass 578 - ajar,agape,clashing,conflicting,confused,dehiscent,gaping,grating,harsh,jangling,jangly,jarring,jostling,openmouthed,oscitant,ringent,slack-jawed,warring,yawning 579 - akimbo,V-shaped,Y-shaped,angular,bent,cornered,crooked,crotched,forked,furcal,furcate,geniculate,geniculated,hooked,jagged,knee-shaped,pointed,saw-toothed,sawtooth,serrate,sharp,sharp-cornered,zigzag 580 - akin,accordant,according,affiliated,affinal,affinitive,agnate,agreeable,agreeing,alike,allied,amicable,analogous,at one,attuned,avuncular,closely related,cognate,collateral,comparable,compatible,concordant,conforming,congeneric,congenerous,congenial,connate,connatural,connected,consanguine,consanguinean,consanguineous,consonant,conspecific,correlative,corresponding,distantly related,empathetic,empathic,en rapport,enate,foster,frictionless,genetically related,german,germane,harmonious,harmonizing,in accord,in concert,in rapport,in tune,incident,inharmony,kindred,like,like-minded,matrilateral,matrilineal,matroclinous,novercal,of common source,of one mind,of the blood,parallel,patrilateral,patrilineal,patroclinous,peaceful,related,related by blood,sib,sibling,similar,sympathetic,together,understanding,undifferentiated,uniform,united,uterine 581 - alabaster,amphibole,antimony,apatite,aplite,arsenic,asbestos,asphalt,azurite,bauxite,billiard table,bitumen,boron,bowling alley,bowling green,brimstone,bromine,brucite,calcite,carbon,celestite,chalcedony,chalk,chlorite,chromite,clay,coal,coke,corundum,cryolite,diatomite,driven snow,emery,epidote,epsomite,feldspar,flat,fleece,flour,foam,garnet,glass,glauconite,graphite,gypsum,hatchettine,holosiderite,ice,iron pyrites,ivory,jet,kyanite,level,lignite,lily,lime,maggot,magnesite,mahogany,malachite,maltha,marble,marcasite,marl,meerschaum,mica,milk,mineral coal,mineral oil,mineral salt,mineral tallow,mineral tar,mineral wax,molybdenite,monazite,obsidian,olivine,ozokerite,paper,pearl,peat,perlite,phosphate rock,phosphorus,plane,pumice,pyrite,pyrites,pyroxene,quartz,realgar,red clay,rhodonite,rock crystal,rocks,salt,satin,selenite,selenium,sheet,siderite,silica,silicate,silicon,silk,silver,slide,smooth,snow,spar,spinel,spodumene,sulfur,swan,talc,talcum,tellurium,tennis court,velvet,wollastonite,wulfenite,zeolite 582 - alacrity,abruptness,acquiescence,agility,agreeability,agreeableness,amenability,animation,anxiety,anxiousness,appetite,ardor,avidity,avidness,breathless impatience,briskness,cheerful consent,cheerful readiness,compliance,consent,cooperativeness,decisiveness,dispatch,docility,eagerness,elan,enthusiasm,expedition,expeditiousness,favorable disposition,favorableness,fervor,feverishness,forwardness,furiousness,gameness,goodwill,gust,gusto,hastiness,heartiness,hurriedness,immediacy,immediateness,impatience,impetuosity,impetuousness,impulsiveness,instantaneousness,keen desire,keenness,life,liveliness,nimbleness,pliability,pliancy,precipitance,precipitancy,precipitation,precipitousness,promptitude,promptness,punctuality,punctualness,quickness,rapidity,rashness,readiness,receptive mood,receptiveness,receptivity,responsiveness,right mood,sharpness,smartness,speed,speediness,spirit,spryness,suddenness,summariness,swiftness,tractability,ungrudgingness,unloathness,unreluctance,verve,vitality,vivacity,willing ear,willing heart,willingness,zeal,zealousness,zest,zestfulness 583 - alarm,Angelus,Angelus bell,Roman candle,abject fear,admonishment,admonition,affright,aid to navigation,alarum,alert,amaze,amber light,anxiety,apprehension,arouse,astonish,awe,balefire,battle cry,beacon,beacon fire,bell,bell buoy,birdcall,blinker,blue funk,blue peter,bugle call,buoy,call,caution,caution light,caveat,cold feet,consternation,cowardice,cry havoc,cry wolf,curdle the blood,daunt,deterrent example,discomfort,dismay,disquiet,distress,disturb,dread,example,excitement,fear,final notice,final warning,flare,fly storm warnings,fog bell,fog signal,fog whistle,foghorn,forewarning,fright,frighten,funk,glance,go light,gong,gong buoy,green light,heliograph,high sign,hint,horn,horrification,horripilate,horror,international alphabet flag,international numeral pennant,kick,last post,leer,lesson,make one tremble,marker beacon,monition,moose call,moral,nervousness,nod,notice,notification,nudge,object lesson,panic,panic fear,parachute flare,phobia,pilot flag,poke,police whistle,prenotice,quarantine flag,radio beacon,raise apprehensions,rallying cry,rebel yell,red flag,red light,reveille,rocket,sailing aid,scare,semaphore,semaphore flag,semaphore telegraph,shake,sign,signal,signal beacon,signal bell,signal fire,signal flag,signal gong,signal gun,signal lamp,signal light,signal mast,signal post,signal rocket,signal shot,signal siren,signal tower,siren,sound the alarm,sound the tocsin,spar buoy,spook,stagger,stampede,startle,stop light,strain,stress,summons,surprise,taps,tension,terrify,terror,terrorize,the nod,the wink,threat,tip-off,tocsin,touch,traffic light,traffic signal,trepidation,trumpet call,ultimatum,uneasiness,unholy dread,unman,unnerve,unstring,upset,verbum sapienti,war cry,warn,warning,warning piece,watch fire,whistle,white flag,wigwag,wigwag flag,wink,yellow flag 584 - alarming,awing,bad,chilling,critical,dangerous,dangersome,daunting,deterrent,deterring,disconcerting,discouraging,disheartening,dismaying,disquieting,explosive,fear-inspiring,fearful,fearsome,fraught with danger,frightening,frightful,jeopardous,menacing,overawing,parlous,periculous,perilous,scaring,scary,serious,startling,threatening,ugly 585 - albeit,after all,again,all the same,although,at all events,at any rate,but,even,even so,for all that,howbeit,however,in any case,in any event,just the same,nevertheless,nonetheless,notwithstanding,rather,still,though,when,whereas,while,yet 586 - albinism,Christmas disease,Hartnup disease,Werdnig-Hoffmann disease,achroma,achromasia,achromatic vision,achromatosis,albescence,albino,albinoism,astigmatism,astigmia,bad eyesight,blindness,blondness,blurred vision,canescence,chalkiness,color blindness,creaminess,cystic fibrosis,defect of vision,dichromatic vision,double sight,double vision,dysautonomia,fairness,faulty eyesight,frostiness,glaucescence,glaucousness,grizzliness,hemophilia,hoariness,ichthyosis,imperfect vision,lactescence,leukoderma,lightness,milkiness,mongolianism,mongolism,mucoviscidosis,muscular dystrophy,nystagmus,paleness,pancreatic fibrosis,partial blindness,pearliness,reduced sight,sickle-cell anemia,silver,silveriness,snowiness,thalassemia,tunnel vision,vitiligo,white,white race,whiteness,whitishness 587 - albino,achroma,achromasia,achromatosis,albescence,albinal,albinic,albinism,albinistic,albinoism,blondness,canescence,chalkiness,creaminess,fairness,frostiness,glaucescence,glaucousness,grizzliness,hoariness,lactescence,leukoderma,lightness,milkiness,paleness,pearliness,silver,silveriness,snowiness,vitiligo,white,white race,whiteness,whitishness 588 - album,Domesday Book,Festschrift,account book,address book,adversaria,ana,analects,annual,anthology,appointment calendar,appointment schedule,beauties,blankbook,blotter,calendar,canon,cashbook,catalog,chrestomathy,classified catalog,collectanea,collected works,collection,commonplace book,compilation,complete works,court calendar,daybook,delectus,desk calendar,diary,diptych,docket,engagement book,florilegium,flowers,garden,garland,journal,ledger,log,logbook,loose-leaf notebook,memo book,memorandum book,memory book,miscellanea,miscellany,notebook,omnibus,pad,petty cashbook,photograph album,pocket notebook,pocketbook,police blotter,posy,quotation book,scrapbook,scratch pad,spiral notebook,symposium,table,tablet,triptych,workbook,writing tablet,yearbook 589 - albumen,batter,bonnyclabber,butter,caviar,clabber,cornstarch,cream,curd,dough,egg,egg white,eggshell,fish eggs,gaum,gel,gelatin,glair,glop,glue,gluten,goo,gook,goop,gruel,gumbo,gunk,jam,jell,jelly,loblolly,molasses,mucilage,mucus,ovule,pap,paste,porridge,pudding,pulp,puree,putty,rob,roe,semifluid,semiliquid,size,soup,spawn,starch,sticky mess,syrup,treacle,vitellus,white,yellow,yolk 590 - alchemy,about-face,assimilation,assumption,becoming,bewitchery,change,change-over,charm,conversion,divination,enchantment,fetishism,flip-flop,glamour,gramarye,growth,hoodoo,juju,jujuism,lapse,magic,natural magic,naturalization,necromancy,obeah,passage,progress,re-formation,reconversion,reduction,resolution,reversal,rune,shamanism,shift,sorcery,sortilege,spell,spellbinding,spellcasting,switch,switch-over,sympathetic magic,thaumaturgia,thaumaturgics,thaumaturgism,thaumaturgy,theurgy,transformation,transit,transition,turning into,vampirism,volte-face,voodoo,voodooism,wanga,white magic,witchcraft,witchery,witchwork,wizardry 591 - alcohol,Amytal,Amytal pill,Argyrol,Chile saltpeter,Demerol,Dial,Dolophine,H,John Barleycorn,Luminal,Luminal pill,M,Mercurochrome,Merthiolate,Mickey Finn,Nembutal,Nembutal pill,Salol,Seconal,Seconal pill,Sulfonal,Trional,Tuinal,Tuinal pill,absolute alcohol,acetate,acetone,alcoholic beverage,alcoholic drink,aldehyde,amine,ammonia,amobarbital sodium,amyl alcohol,analgesic,anhydride,anodyne,antifreeze,aqua regia,aqua vitae,ardent spirits,arsenate,arsenite,barb,barbital,barbiturate,barbiturate pill,barbituric acid,basic anhydride,belladonna,benzine,benzoate,beverage,bicarbonate,bicarbonate of soda,bichloride of mercury,bisulfate,black stuff,blue,blue angel,blue devil,blue heaven,blue velvet,booze,borate,borax,boric acid,brew,briquette,bromide,burnable,butane,calcium carbonate,calcium hydroxide,calmative,calomel,camphor,carbide,carbohydrate,carbolic acid,carbon,carbon dioxide,carbon monoxide,carbon tet,carbon tetrachloride,carbonate,charcoal,chloral hydrate,chloramine,chlorate,chlorite,chloroform,chromate,citrate,coal,codeine,codeine cough syrup,coke,combustible,copperas,cresol,cyanide,dehydrated alcohol,depressant,depressor,dichromate,dioxide,disulfide,dolly,dope,downer,drink,ester,ethane,ethanol,ether,ethyl,ethyl alcohol,ethylene glycol,fireball,firewater,firing,flammable,flammable material,fluoride,formaldehyde,fuel,fuel additive,fuel dope,fulminate,gas,gas carbon,gasoline,gentian violet,goofball,gramicidin,grog,halide,halogen,hard liquor,hard stuff,heptane,heroin,hexachloraphene,hexane,hooch,hop,horse,hydrate,hydride,hydrocarbon,hydrogen peroxide,hydroxide,hyoscyamine,hypnotic,hypochlorite,inebriant,inflammable,inflammable material,intoxicant,intoxicating liquor,iodide,iodine,isooctane,isopropyl alcohol,jet fuel,juice,junk,kerosene,ketone,knockout drops,lactate,laudanum,liquor,little brown jug,lotus,meperidine,methadone,methane,methanol,methyl,methyl alcohol,monoxide,moonshine,morphia,morphine,narcotic,natural gas,niter,nitrate,nitride,nitrite,octane,oil,opiate,opium,oxalate,oxide,pacifier,pain killer,paraffin,paraldehyde,paregoric,peat,pen yan,pentane,pentobarbital,permanganate,peroxide,petrochemical,phenobarbital,phenobarbital sodium,phenol,phenyl salicylate,phosphate,phosphide,potable,potash,potassium nitrate,potation,propane,propellant,punch bowl,purple heart,quietener,rainbow,red,reserpine,resorcinol,rocket fuel,rum,sal ammoniac,salt,saltpeter,sauce,scag,schnapps,scopolamine,secobarbital sodium,sedative,shit,silicate,silver vitellin,sleep-inducer,sleeper,sleeping draught,sleeping pill,smack,social lubricant,sodium bicarbonate,sodium bromide,sodium chloride,sodium hypochlorite,sodium thiopental,somnifacient,soother,soothing syrup,soporific,spirits,strong drink,strong waters,sulfate,sulfide,sulfite,tar,tartrate,thalidomide,the Demon Rum,the bottle,the cup,the flowing bowl,the luscious liquor,the ruddy cup,thimerosal,thymol,tincture of iodine,tipple,toxicant,tranquilizer,turf,turpentine,turps,water,water of life,white stuff,yellow,yellow jacket 592 - alcoholic,LSD user,acidhead,addict,alcoholic addict,alternating personality,antisocial personality,ardent,bacchanal,bacchanalian,barfly,bibber,big drunk,boozer,carouser,chain smoker,chronic alcoholic,chronic drunk,cocaine sniffer,cokie,cubehead,devotee of Bacchus,dipsomaniac,disordered personality,disturbed personality,dope fiend,doper,double personality,drinker,drug abuser,drug addict,drug user,drunk,drunkard,dual personality,emotionally unstable personality,escapist,fiend,freak,glue sniffer,guzzler,habitual,hard,hard drinker,head,heavy drinker,heavy smoker,hophead,hostile personality,hype,hypochondriac,hypochondriast,idiot,imaginary invalid,imbiber,immature personality,inadequate personality,inebriate,inebriating,inferior personality,intoxicating,junkie,lovepot,lush,malade imaginaire,maladjusted personality,marijuana smoker,mentally defective personality,methhead,moral insanity,multiple personality,narcotics addict,neuropath,neurotic,neurotic personality,oenophilist,paranoid personality,pathological drinker,perverse personality,pillhead,pot companion,pothead,problem drinker,psychoneurotic,psychopath,psychopathic personality,psychotic,psychotic personality,reveler,rummy,schizoid,schizoid personality,seclusive personality,serious drinker,sexual psychopath,shikker,shut-in personality,snowbird,soak,soaker,social drinker,sociopath,sot,speed freak,spirituous,split personality,stew,strong,swigger,swiller,thirsty soul,tippler,toper,tosspot,tripper,user,valetudinarian,valetudinary,vinous,wassailer,weak personality,winebibber,wino,winy,with a kick 593 - alcoholism,a habit,acquired tolerance,acute alcoholism,addictedness,addiction,alcoholic addiction,alcoholic psychosis,amphetamine withdrawal symptoms,barbiturate addiction,barbiturism,bottle nose,chain smoking,chronic alcoholism,cocainism,crash,craving,delirium tremens,dependence,dipsomania,drug addiction,drug culture,drug dependence,ebriosity,grog blossom,habitual drunkenness,habituation,heavy drinking,nicotine addiction,oenomania,oinomania,pathological drunkenness,physical dependence,problem drinking,psychological dependence,tolerance,withdrawal sickness,withdrawal symptoms 594 - alcove,arbor,bay,belvedere,bower,carrel,conservatory,corner,cove,cranny,cubby,cubbyhole,cubicle,gazebo,glasshouse,greenhouse,inglenook,kiosk,lathhouse,niche,nook,oriel,pagoda,pergola,pitchhole,recess,recession,retreat,roomlet,snuggery,summerhouse 595 - alderman,MP,Member of Congress,Member of Parliament,archon,assemblyman,bailie,burghermaster,burgomaster,cabinet member,cabinet minister,chancellor,chosen freeholder,city councilman,city father,city manager,commissar,commissioner,congressman,congresswoman,councillor,councilman,councilwoman,county commissioner,county supervisor,elder,floor leader,headman,induna,lawgiver,lawmaker,legislator,lord mayor,magistrate,maire,majority leader,mayor,minister,minister of state,minority leader,party whip,portreeve,reeve,representative,secretary,secretary of state,selectman,senator,solon,state senator,supervisor,syndic,undersecretary,warden,whip 596 - aleatory,Nachtmusik,absolute music,accidental,adaptation,adventitious,adventurous,air varie,aleatoric,aleatory music,amorphous,arrangement,blobby,blurred,blurry,broad,casual,causeless,chamber music,chamber orchestra,chance,chancy,chaotic,circumstantial,composition,conditional,confused,contingent,descant,destinal,dicey,disordered,electronic music,etude,exercise,fatal,fatidic,fluky,foggy,fortuitous,full of risk,fuzzy,general,harmonization,hazardous,hazy,hit-or-miss,iffy,ill-defined,imprecise,inaccurate,inchoate,incidental,incidental music,incoherent,indecisive,indefinable,indefinite,indeterminable,indeterminate,indistinct,inessential,inexact,instrumental music,invention,lax,loose,nocturne,nonessential,nonspecific,obscure,occasional,opus,orchestration,orderless,piece,production,program music,provisional,random,ricercar,riskful,risky,score,shadowed forth,shadowy,shapeless,sonata,sonatina,speculative,stochastic,string orchestra,string quartet,study,sweeping,theme and variations,trio,uncaused,unclear,undefined,undestined,undetermined,unessential,unexpected,unforeseeable,unforeseen,unlooked-for,unplain,unpredictable,unspecified,vague,variation,veiled,venturesome,venturous,wildcat,work 597 - alehouse,bar,barrel house,barroom,beer garden,beer hall,beer parlor,bistro,blind tiger,brasserie,cabaret,cafe,cocktail lounge,dive,dramshop,drinking saloon,gin mill,groggery,grogshop,honky-tonk,local,nightclub,pothouse,pub,public,public house,rathskeller,roadhouse,rumshop,saloon,saloon bar,speakeasy,taproom,tavern,wine shop 598 - alert,Klaxon,Mayday,SOS,active,admonish,advertent,advise,agile,agog,air-raid alarm,alarm,alarm bell,alarm clock,alarm signal,alarum,alert for,alive,all clear,all ears,all eyes,animated,apt,arouse,assiduous,attentive,awake,aware,beacon,blinking light,brainy,breathe,bright,brilliant,burglar alarm,buzz,buzzer,cant,careful,caution,cautious,clear-sighted,clear-witted,clearheaded,clever,concentrated,confide,confide to,conscious,crostarie,cry havoc,cry wolf,decisive,diligent,earnest,entrust with information,equal to,expeditious,fiery cross,finical,finicking,finicky,fire alarm,fire bell,fire flag,five-minute gun,flashing light,fly storm warnings,fog bell,fog signal,foghorn,forewarn,frighten,frisky,full of life,gale warning,gay,give confidential information,give fair warning,give notice,give warning,heedful,hooter,horn,hue and cry,hurricane warning,immediate,instant,instantaneous,intense,intent,intentive,issue an ultimatum,keen,knowing,let in on,let next to,lighthouse,lively,loaded for,lookout,mention privately,mercurial,meticulous,mindful,nice,niggling,nimble,note of alarm,notify,observant,observing,occulting light,on guard,on the,on the alert,on the ball,on the job,on the lookout,open-eared,open-eyed,openmouthed,police whistle,prepared for,prompt,punctual,put hep,put next to,qui vive,quick,quick-witted,ready,ready for,regardful,sharp,signal,signal of distress,siren,sleepless,small-craft warning,smart,sound the alarm,sound the tocsin,speedy,spirited,sprightly,spry,startle,still alarm,storm cone,storm flag,storm warning,summary,swift,threaten,tip,tip off,tocsin,two-minute gun,unblinking,unnodding,unsleeping,unwinking,up,up for,up to,upside-down flag,utter a caveat,vigilant,vivacious,wakeful,warn,warn against,warning,wary,watchful,whisper,whistle,wide awake,wide-awake 599 - alfresco,abroad,aerial,aeriform,aery,airish,airlike,airy,atmospheric,breezy,en plein air,ethereal,exposed,in the open,light,open-air,out of doors,out-of-door,out-of-doors,outdoor,outdoors,outside,pneumatic,roomy,tropospheric 600 - algae,Ectocarpales,Iceland moss,Irish moss,Phaeophyceae,autophyte,bean,bracken,brown algae,climber,conferva,confervoid,creeper,diatom,dulse,fern,fruits and vegetables,fucoid,fucus,fungi,fungus,grapevine,green algae,gulfweed,herb,heterophyte,ivy,kelp,legume,lentil,liana,lichen,liverwort,mold,molds,moss,mushroom,parasite,parasitic plant,pea,perthophyte,phytoplankton,plankton,planktonic algae,plant families,pond scum,puffball,pulse,red algae,reindeer moss,rockweed,rust,saprophyte,sargasso,sargassum,scum,sea lentil,sea moss,sea wrack,seaweed,smut,succulent,thallogens,toadstool,vetch,vine,wort,wrack 601 - algid,Siberian,aguey,aguish,arctic,below zero,biting,bitter,bitterly cold,bleak,blue with cold,boreal,brisk,brumal,chattering,chilly,cold,cold as charity,cold as death,cold as ice,cold as marble,cool,crisp,cutting,dithery,freezing,freezing cold,frigid,frozen,frozen to death,gelid,glacial,half-frozen,hibernal,hiemal,hyperborean,ice-cold,ice-encrusted,icelike,icy,inclement,keen,nipping,nippy,numbing,penetrating,piercing,pinching,raw,rigorous,severe,shaky,sharp,shivering,shivery,sleety,slushy,snappy,stone-cold,subzero,supercooled,winterbound,winterlike,wintery,wintry,with chattering teeth 602 - algorithm,Arabic numerals,MO,Roman numerals,algorism,applied mathematics,approach,attack,binary system,course,decimal system,duodecimal system,fashion,figures,form,guise,hexadecimal system,higher mathematics,line,line of action,lines,manner,manner of working,math,mathematic,mathematics,means,method,methodology,mode,mode of operation,mode of procedure,modus operandi,numbers,octal system,order,practice,procedure,proceeding,process,pure mathematics,routine,style,system,tack,technique,the drill,the how,the way of,tone,way,wise 603 - alias,Jane Doe,John Doe,Richard Roe,anonym,assumed name,contrarily,else,elsewise,false name,fictitious name,in other respects,in other ways,nom de guerre,nom de plume,nom de theatre,or else,other than,otherwise,pen name,professional name,pseudonym,stage name,than 604 - alibi,alibi out of,apologize for,apology,blind,cloak,color,cop-out,cover,cover story,cover with excuses,cover-up,device,excuse,explain,explanation,facade,feint,front,gloss,guise,handle,lame excuse,lie out of,likely story,locus standi,make apology for,mask,offer excuse for,ostensible motive,out,plea,plead ignorance,poor excuse,pretense,pretension,pretext,protestation,public motive,put-off,refuge,right,screen,semblance,sham,show,smoke screen,squirm out of,stalking-horse,stratagem,subterfuge,trick,varnish,veil,worm out of 605 - alien,Jim Crow,Martian,Uitlander,abalienate,adversary,adversative,adverse,alienate,alter,antagonistic,anti,antipathetic,antithetic,apart,apartheid,assign,astronaut,auslander,barbarian,barbaric,barbarous,case,cede,change,character,clashing,color bar,competitive,con,conflicting,contradictory,contrary,convert,convey,cosmonaut,counter,crackpot,crank,cross,deed,deracine,detached,disaccordant,disaffect,disconnected,discrete,disjunct,displaced person,disrelated,dissentient,dissociated,disunify,disunite,division,eccentric,emigre,enemy,ethnocentrism,exclusiveness,exile,exotic,exterior,external,exterrestrial,exterritorial,extragalactic,extralateral,extraliminal,extramundane,extramural,extraneous,extrapolar,extraprovincial,extrasolar,extraterrene,extraterrestrial,extraterritorial,extratribal,extrinsic,fanatic,foreign,foreign devil,foreign-born,foreigner,fractious,give up,gringo,hand over,hermit,hobo,hostile,immigrant,incommensurable,incomparable,incompatible,incongruous,inconsonant,independent,inimical,insular,insularity,insulation,intrusive,irrelative,isolated,isolation,know-nothingism,kook,lone wolf,loner,make over,man from Mars,maverick,meshuggenah,narrowness,natural,negative,newcomer,nonconformist,noncooperative,nut,obstinate,odd fellow,oddball,oddity,opponent,opposed,opposing,opposite,oppositional,oppositive,oppugnant,original,other,otherworldly,out-group,outcast,outland,outlander,outlandish,outlaw,outside,outsider,overthwart,pariah,parochialism,persona non grata,perverse,planetary colony,quarantine,queer duck,queer fish,queer specimen,race hatred,racial segregation,rara avis,recalcitrant,refractory,refugee,relinquish,remise,removed,repugnant,rival,rocket man,rocketeer,screwball,seclusion,segregate,segregation,separate,separated,separation,sign over,snobbishness,solitary,space,space crew,space traveler,spaceman,strange,stranger,the Wandering Jew,tightness,tramontane,tramp,transcendental,transmundane,type,ulterior,ultramontane,unaffiliated,unallied,unassociated,unconnected,uncooperative,unearthly,unfamiliar,unfavorable,unfriendly,unpropitious,unrelatable,unrelated,wanderer,wean,xenophobia,zealot 606 - alienate,abalienate,abrupt,alter,amortize,antagonize,assign,barter,bequeath,brainwash,cast off,cast out,cede,change,come between,confer,consign,convert,convey,corrupt,counterindoctrinate,cut adrift,cut off,cut out,deed,deed over,delete,deliver,demise,depart,devolve upon,disaffect,disarticulate,disconnect,disengage,disjoin,disjoint,dissociate,disunify,disunite,divide,divorce,eject,embitter,enfeoff,envenom,estrange,exacerbate,exchange,expel,fan the flame,give,give title to,give up,hand,hand down,hand on,hand over,heat up,indoctrinate,infuriate,irritate,isolate,leave,light the fuse,madden,make over,make trouble,negotiate,part,pass,pass on,pass over,pit against,provoke,pull away,pull back,pull out,reindoctrinate,relinquish,remise,segregate,sell,separate,sequester,set against,set apart,set aside,set at odds,set at variance,set on,settle,settle on,shut off,sic on,sign away,sign over,sow dissension,split,stand aloof,stand apart,stand aside,step aside,stir up trouble,subtract,subvert,surrender,throw off,throw out,trade,transfer,transmit,turn over,uncouple,unyoke,wean,win away,withdraw 607 - alienated,alone,aloof,antiestablishment,apart,at odds with,at variance with,breakaway,companionless,counter-culture,detached,differing,disaffected,disagreeing,disarticulated,disconnected,disengaged,disjoined,disjoint,disjointed,disjunct,dislocated,dispersed,dissentient,dissenting,dissident,disunited,divided,divorced,estranged,friendless,homeless,in opposition,insular,irreconcilable,isolated,kithless,lone,lonely,lonesome,nonconforming,opposing,recusant,removed,rootless,scattered,sectarian,sectary,segregated,separate,separated,sequestered,shut off,single-handed,solitary,solo,torn,unabetted,unaccompanied,unaided,unassisted,unattended,underground,unescorted,unseconded,unsupported,withdrawn 608 - alienation,abalienation,aberration,abnormality,abstraction,abulia,agreement to disagree,aloneness,aloofness,amortization,amortizement,anxiety,anxiety equivalent,anxiety state,apathy,apostasy,assignation,assignment,autism,autistic thinking,avoidance mechanism,bargain and sale,barter,bequeathal,blame-shifting,brain damage,brainsickness,brainwashing,breach,breach of friendship,break,catatonic stupor,celibacy,cession,cleavage,cleft,clouded mind,compensation,compulsion,conferment,conferral,consignation,consignment,conveyance,conveyancing,corruption,counter-culture,counterindoctrination,craziness,daftness,decompensation,deeding,defense mechanism,dejection,deliverance,delivery,dementedness,dementia,demise,depression,derangement,dereism,dereistic thinking,detachment,difference,disaccord,disaffection,disagreement,disapprobation,disapproval,disarticulation,disassociation,disconnectedness,disconnection,discontinuity,disengagement,disfavor,disjointing,disjunction,dislocation,disorientation,disparity,displacement,disposal,disposition,disruption,dissatisfaction,dissension,dissent,dissentience,dissidence,dissociation,distraction,disunion,disunity,divergence,diversity,dividedness,division,divorce,divorcement,dropping out,elation,emotional insulation,emotionalism,enfeoffment,escape,escape into fantasy,escape mechanism,escapism,estrangement,euphoria,exchange,falling-out,fantasizing,fantasy,flight,folie,folie du doute,furor,giving,hypochondria,hysteria,hysterics,incoherence,indifference,indoctrination,insaneness,insanity,insensibility,irrationality,isolation,keeping apart,lease and release,lethargy,loneliness,loneness,lonesomeness,loss of mind,loss of reason,lunacy,luxation,madness,mania,melancholia,mental deficiency,mental derangement,mental disease,mental disorder,mental distress,mental disturbance,mental illness,mental instability,mental sickness,mind overthrown,mindsickness,minority opinion,moving apart,negativism,nonagreement,nonassent,nonconcurrence,nonconformity,nonconsent,obsession,oddness,open rupture,opposition,overcompensation,parting,partition,pathological indecisiveness,pixilation,possession,preoccupation,privacy,projection,psychalgia,psychomotor disturbance,psychopathy,psychotaxis,queerness,rabidness,rationalization,reasonlessness,recall of ambassadors,recusance,recusancy,reindoctrination,rejection,removal,repudiation,resistance,rift,ruffled feelings,rupture,sale,schism,secession,seclusion,segmentation,senselessness,separateness,separation,separatism,sequestration,settlement,settling,shattered mind,sick mind,sickness,single blessedness,sociological adjustive reactions,solitariness,solitude,splendid isolation,split,strained relations,strangeness,stupor,subdivision,sublimation,substitution,subtraction,subversion,surrender,tic,trading,transfer,transference,transmission,transmittal,twitching,unbalance,unbalanced mind,underground,unresponsiveness,unsaneness,unsound mind,unsoundness,unsoundness of mind,variance,vesting,wish-fulfillment fantasy,wishful thinking,withdrawal,witlessness,zoning 609 - alienist,Adler,Freud,Horney,Pavlov,Reich,Skinner,Watson,alienism,clinical psychologist,industrial psychologist,neuropsychiatrist,psychiatrist,psychiatry,psychobiologist,psychochemist,psychographer,psychologist,psychologue,psychopathist,psychopathologist,psychophysicist,psychophysiologist,psychotechnologist,somatist 610 - alight upon,blunder upon,bump into,chance upon,come across,come among,come down on,come on,come up against,come upon,confront,descend upon,discover serendipitously,drop on,encounter,fall across,fall among,fall foul of,fall in with,fall on,fall upon,happen upon,hit upon,light upon,meet,meet head-on,meet up with,meet with,pitch upon,run across,run into,run smack into,run up against,run upon,settle on,strike upon,stumble on,stumble upon,tumble on 611 - alight,ablaze,afire,aflame,aflicker,aglow,ardent,bathed with light,bespangled,blazing,bright,brightened,burning,candent,candescent,candlelit,climb down,comburent,come down,come in,come to land,conflagrant,crash-land,debark,debus,deplane,descend,detrain,disembark,disemplane,dismount,ditch,dock,downwind,drop,drop anchor,effulgent,enlightened,fall,fiery,firelit,flagrant,flaming,flaring,flickering,fulgent,fuming,gaslit,get down,get off,glowing,go ashore,guttering,ignescent,ignited,illuminated,in a blaze,in a glow,in flames,incandescent,inflamed,irradiate,irradiated,kindled,lamplit,land,lanternlit,level off,light,lighted,lightened,lit,lit up,live,living,luminous,make a landfall,make land,make port,moonlit,moor,on fire,overshoot,pancake,perch,put in,put into port,reach land,reeking,refulgent,roost,scintillant,scintillating,set down,settle,settle down,sit down,smoking,smoldering,spangled,sparking,star-spangled,star-studded,starlit,studded,sunlit,talk down,tie up,tinseled,touch down,tumble,unboat,unextinguished,unhorse,unquenched,upwind 612 - align,act with,adjust,align with,allocate,allot,apportion,array,bank,collimate,collineate,collocate,compose,correspond,deal,deal out,dispose,distribute,equalize,equate,equidistance,even,fell,fix,flatten,flock to,flush,follow,get together with,go along with,go in with,grade,join,join hands with,join up with,join with,lay,lay down,lay flat,lay level,lay low,lay out,level,line,line up,line up with,marshal,match,parallelize,parcel out,place,place parallel to,rally,rally round,range,range with,rank,rase,raze,realign,regiment,regulate,roll,roll flat,row,set out,side with,smooth,smooth out,smoothen,space,stand in with,steamroll,steamroller,strike in with,string along with,string out,swing in with,take part with,take sides with,team up with,throw in with,unite with 613 - alignment,accommodation,adaptation,adjustment,affiliation,alliance,amalgamation,analogy,association,bearings,cahoots,coadunation,coalescence,coalition,coextension,colleagueship,collegialism,collegiality,collineation,combination,comradeship,concurrence,confederacy,confederation,confraternity,consolidation,copartnership,copartnery,disorientation,equidistance,federation,fellowship,fraternalism,fraternity,fraternization,freemasonry,fusion,hookup,inclusion,incorporation,integration,league,merger,nondivergence,orientation,parallelism,partnership,sodality,sorority,tie-in,tie-up,unification,union 614 - alike,accordant,akin,all one,all the same,analogous,aped,as is,at par,au pair,automatic,balanced,coequally,coextensively,coincidentally,commensurate,comparable,congruently,consimilar,consistent,consonant,constant,consubstantial,continuous,copied,correspondent,correspondently,corresponding,correspondingly,coterminously,counterfeit,ditto,drawn,duplicate,equable,equal,equalized,equally,ersatz,even,even stephen,exactly alike,fake,favoring,fifty-fifty,flat,following,half-and-half,homogeneous,homoousian,ibid,ibidem,identic,identical,identically,imitated,imitation,immutable,in like manner,indiscernible,indistinct,indistinctive,indistinguishable,interchangeable,invariable,just alike,just the same,knotted,level,like,likewise,measured,mechanical,methodic,mimicked,mock,monolithic,nearly reproduced,nip and tuck,not unlike,of a piece,on a footing,on a level,on a par,on even ground,one,ordered,orderly,par,parallel,persistent,phony,proportionate,quits,regular,resembling,robotlike,same,same here,selfsame,similar,similarly,simulated,smacking of,smooth,something like,square,stable,stalemated,standard,steadfast,steady,stereotyped,suggestive of,synonymously,synthetic,systematic,the same way,tied,twin,unbroken,unchangeable,unchanged,unchanging,undeviating,undifferent,undifferentiated,undiscriminated,undistinguishable,undistinguished,undiversified,uniform,uniform with,uniformly,unruffled,unvaried,unvarying,without difference,without distinction 615 - alimentation,aliment,alimony,bread,bread and butter,food chain,keep,livelihood,maintenance,nourishment,nurture,nutriment,nutrition,nutriture,pabulum,pap,refection,refreshment,subsistence,support,sustenance 616 - alimony,aid,alimentation,allotment,allowance,annuity,assistance,bounty,bread,bread and butter,depletion allowance,dole,fellowship,financial assistance,grant,grant-in-aid,guaranteed annual income,help,keep,livelihood,maintenance,old-age insurance,pecuniary aid,pension,price support,public assistance,public welfare,relief,retirement benefits,scholarship,stipend,subsidization,subsidy,subsistence,subvention,support,sustenance,tax benefit,welfare,welfare aid,welfare payments 617 - aliquot,algorismic,algorithmic,cardinal,decimal,differential,digital,even,exponential,figural,figurate,figurative,finite,fractional,imaginary,impair,impossible,infinite,integral,irrational,logarithmic,logometric,negative,numeral,numerary,numerative,numeric,odd,ordinal,pair,positive,possible,prime,radical,rational,real,reciprocal,submultiple,surd,transcendental 618 - alive and kicking,aboveground,alive,among the living,animate,animated,breathing,bright-eyed and bushy-tailed,capable of life,chipper,conscious,endowed with life,enjoying health,enlivened,eupeptic,existent,fine,fit,fit and fine,full of beans,healthful,healthy,in condition,in fine fettle,in fine whack,in good case,in good health,in good shape,in health,in high feather,in mint condition,in shape,in the flesh,in the pink,inspirited,instinct with life,live,living,long-lived,quick,tenacious of life,very much alive,viable,vital,vivified,zoetic 619 - alive to,appreciative of,apprised of,awake to,aware,aware of,behind the curtain,behind the scenes,cognizant,cognizant of,conscious,conscious of,hep to,impressible,impressionable,impressive,in the know,in the secret,informed of,let into,mindful of,no stranger to,on to,perceptive,privy to,receptive,seized of,sensible,sensible of,sensible to,sensile,sensitive to,sentient,streetwise,susceptible,susceptive,undeceived,wise to 620 - alive,abounding,aboveground,active,activist,activistic,agile,alert,alive and kicking,alive to,alive with,among the living,animate,animated,apprehensive,around,astir,attentive,au courant,awake,aware of,bouncing,bouncy,breathing,breezy,bright,brisk,bristling,bubbly,bursting,bustling,buzzing,capable of life,chipper,clear-sighted,clear-witted,clearheaded,cognizant,cognizant of,conscious,conscious of,crawling,crowded,crowding,dynamic,ebullient,effervescent,eidetic,endowed with life,enduring,energetic,enlivened,existent,existing,filled,flush,fresh,frisky,full,full of go,full of life,full of pep,functioning,green,humming,in profusion,in the flesh,inspirited,instinct with life,intelligent,jam-packed,jammed,jumping,keen,kept in remembrance,knowing,lasting,lavish,live,lively,living,long-lived,lousy,mercurial,militant,nimble,on the,on the alert,on the ball,on the job,operative,overflowing,packed,peppy,perky,pert,populous,prodigal,profuse,proliferating,prolific,prompt,qui vive,quick,quick-witted,quicksilver,ready,recalled,recollected,remembered,replete,retained,rife,running,sensible,sensitive to,sentient,sharp,sleepless,smacking,smart,snappy,spanking,spirited,sprightly,spry,studded,superabundant,swarming,teeming,tenacious of life,thick,thick as hail,thick with,thick-coming,thronged,thronging,unblinking,unforgotten,unnodding,unsleeping,unwinking,verdant,very much alive,viable,vigilant,vigorous,vital,vivacious,vivid,vivified,wakeful,watchful,wide-awake,witting,working,zingy,zoetic 621 - alkali,acid,acidity,agent,alkalinity,alloisomer,anion,antacid,atom,base,biochemical,cation,chemical,chemical element,chromoisomer,compound,copolymer,dimer,element,heavy chemicals,high polymer,homopolymer,hydracid,inorganic chemical,ion,isomer,macromolecule,metamer,molecule,monomer,neutralizer,nonacid,organic chemical,oxyacid,polymer,pseudoisomer,radical,reagent,sulfacid,trimer 622 - alkalize,acetify,acidify,acidulate,alkalify,borate,carbonate,catalyze,chemical,chlorinate,electrolyze,ferment,homopolymerize,hydrate,hydrogenate,hydroxylate,isomerize,nitrate,oxidize,pepsinate,peroxidize,phosphatize,polymerize,reduce,sulfate,sulfatize,sulfonate,work 623 - all around,accessible,adaptable,adjustable,all-inclusive,ambidextrous,amphibious,at hand,available,broad,complete,comprehensive,consummate,convenient,extensive,flexible,general,generally capable,global,handy,inclusive,many-sided,mobile,of all work,on call,on deck,on hand,on tap,overall,panoramic,ready,resourceful,supple,sweeping,synoptic,to hand,two-handed,versatile,wide,wide-ranging 624 - all at once,abruptly,all together,at a blow,at a stroke,at once,at one blow,at one jump,at one stroke,at one swoop,at one time,bang,collectively,communally,conjointly,corporately,dash,en masse,ensemble,forthwith,hastily,impetuously,impulsively,in a body,in a hurry,in association,in company,in conjunction,jointly,like a flash,like a thunderbolt,mutually,now,of a sudden,on short notice,per saltum,plop,plump,plunk,pop,precipitantly,precipitately,precipitously,pronto,right away,right now,right off,sharp,simultaneously,slap,smack,startlingly,straightaway,straightway,subito,sudden,suddenly,surprisingly,then and there,this minute,this very minute,together,unawares,unexpectedly,unitedly,uno saltu,without delay,without notice,without warning 625 - all clear,Klaxon,Mayday,SOS,above water,air-raid alarm,alarm,alarm bell,alarm clock,alarm signal,alarum,alert,all straight,beacon,blinking light,burglar alarm,buzzer,clear,crostarie,fiery cross,fire alarm,fire bell,fire flag,five-minute gun,flashing light,fog bell,fog signal,foghorn,free and clear,gale warning,hooter,horn,hue and cry,hurricane warning,lighthouse,note of alarm,occulting light,out of debt,police whistle,signal of distress,siren,small-craft warning,solvent,still alarm,storm cone,storm flag,storm warning,tocsin,two-minute gun,unindebted,unowing,upside-down flag,whistle 626 - all comprehensive,across-the-board,all-comprehending,all-covering,all-embracing,all-encompassing,all-filling,all-including,all-inclusive,all-pervading,allover,blanket,boundless,catholic,compendious,complete,comprehensive,cosmopolitan,countless,country-wide,ecumenic,encyclopedic,endless,eternal,exhaustless,extending everywhere,galactic,global,heaven-wide,illimitable,illimited,immeasurable,immense,incalculable,incomprehensible,inexhaustible,infinite,infinitely continuous,innumerable,interminable,interminate,international,limitless,measureless,national,no end of,nondenominational,nonsectarian,omnibus,over-all,panoramic,perpetual,planetary,shoreless,sumless,sweeping,synoptic,termless,total,unbounded,uncircumscribed,unfathomable,universal,unlimited,unmeasurable,unmeasured,unnumbered,unplumbed,untold,whole,without bound,without end,without exception,without limit,without measure,without number,without omission,world-wide 627 - all creation,Copernican universe,Einsteinian universe,Newtonian universe,Ptolemaic universe,all,all being,allness,cosmos,created nature,created universe,creation,everything that is,expanding universe,macrocosm,macrocosmos,megacosm,metagalaxy,nature,omneity,plenum,pulsating universe,sidereal universe,steady-state universe,sum of things,system,totality,totality of being,universe,whole wide world,wide world,world,world without end 628 - all ears,Argus-eyed,advertent,agog,alert,all eyes,assiduous,attentive,aux aguets,aware,careful,concentrated,conscious,custodial,diligent,eagle-eyed,earnest,finical,finicking,finicky,guarded,hawk-eyed,heedful,intense,intent,intentive,keen-eyed,lidless,listening,meticulous,mindful,nice,niggling,observant,observing,on guard,on the ball,on the job,on the lookout,on the watch,open-eared,open-eyed,openmouthed,prudent,regardful,sharp-eyed,sleepless,vigilant,wary,watchful,with open eyes 629 - all embracing,absolute,aggregate,all,all-comprehending,all-comprehensive,all-covering,all-encompassing,all-filling,all-including,all-inclusive,all-out,all-pervading,allover,born,broad-based,catholic,clean,clear,comprehensive,congenital,consummate,cosmopolitan,country-wide,deep-dyed,downright,dyed-in-the-wool,ecumenic,egregious,entire,exhaustive,galactic,global,gross,heaven-wide,holistic,inclusive,integral,integrated,intensive,international,national,nondenominational,nonsectarian,omnibus,omnipresent,one,one and indivisible,out-and-out,outright,perfect,pervasive,plain,planetary,plumb,pure,radical,regular,sheer,straight,sweeping,thorough,thoroughgoing,through-and-through,total,ubiquitous,unconditional,universal,unmitigated,unqualified,unreserved,unrestricted,utter,veritable,whole,wholesale,world-wide 630 - all in all,all things considered,almost entirely,altogether,approximately,as a rule,as a whole,as an approximation,at large,broadly,broadly speaking,by and large,chiefly,commonly,effectually,en masse,essentially,exactly,generally,generally speaking,in general,in round numbers,in the main,in toto,just,mainly,mostly,normally,on balance,on the average,on the whole,ordinarily,overall,predominantly,prevailingly,purely,quite,roughly,roughly speaking,routinely,speaking generally,substantially,totally,usually,utterly,virtually,wholly 631 - all in the mind,Barmecidal,Barmecide,airy,apparent,apparitional,autistic,chimeric,deceptive,delusional,delusionary,delusive,delusory,dereistic,dreamlike,dreamy,erroneous,fallacious,false,fancied,fantastic,fictive,illusional,illusionary,illusive,illusory,imaginary,imaginational,imagined,misleading,nonexistent,notional,ostensible,phantasmagoric,phantasmal,phantom,seeming,self-deceptive,self-deluding,specious,spectral,supposititious,unactual,unfounded,unreal,unsubstantial,visional,visionary 632 - all in,beat,beat up,beaten,bleary,bone-weary,bushed,dead,dead-and-alive,dead-tired,deadbeat,depleted,dog-tired,dog-weary,done,done in,done up,drained,exhausted,fagged out,far-gone,gone,knocked out,played out,pooped,pooped out,prostrate,ready to drop,spent,tired out,tired to death,tuckered out,used up,washed-out,washed-up,weary unto death,whacked,wiped out,worn-out 633 - all inclusive,across-the-board,aggregate,all,all-comprehending,all-comprehensive,all-covering,all-embracing,all-encompassing,all-filling,all-including,all-pervading,allover,blanket,boundless,catholic,compendious,complete,comprehensive,cosmopolitan,countless,country-wide,ecumenic,encyclopedic,endless,entire,eternal,exhaustive,exhaustless,extending everywhere,galactic,global,gross,heaven-wide,holistic,illimitable,illimited,immeasurable,immense,incalculable,inclusive,incomprehensible,inexhaustible,infinite,infinitely continuous,innumerable,integral,integrated,interminable,interminate,international,limitless,measureless,national,no end of,nondenominational,nonsectarian,omnibus,one,one and indivisible,over-all,panoramic,perpetual,planetary,shoreless,sumless,sweeping,synoptic,termless,total,unbounded,uncircumscribed,unfathomable,universal,unlimited,unmeasurable,unmeasured,unnumbered,unplumbed,untold,whole,without bound,without end,without exception,without limit,without measure,without number,without omission,world-wide 634 - all of a sudden,abruptly,bang,dash,hastily,impetuously,impulsively,like a flash,like a thunderbolt,of a sudden,on short notice,plop,plump,plunk,pop,precipitantly,precipitately,precipitously,sharp,short,slap,smack,startlingly,sudden,suddenly,surprisingly,unawares,unexpectedly,without notice,without warning 635 - all out,a outrance,a toute outrance,absolute,absolutely,actively,admitting no exception,all hollow,all the way,all-embracing,all-encompassing,all-pervading,allegretto,allegro,animatedly,at full blast,at full drive,at full speed,at full throttle,beyond all bounds,beyond compare,beyond comparison,beyond measure,born,breezily,briskly,broad-based,categorical,clean,clear,complete,completely,comprehensive,conclusive,congenital,consummate,dead,decided,decisive,deep-dyed,definite,definitive,determinate,downright,dyed-in-the-wool,egregious,energetically,entire,essentially,exhaustive,explicit,express,extremely,final,fixed,flat,flat out,flat-out,full speed ahead,full tilt,full-blown,full-scale,fundamentally,global,immeasurably,implicit,in excess,in full sail,in full swing,in the extreme,inappealable,incalculably,indefinitely,indisputable,infinitely,intensive,lively,most,omnibus,omnipresent,out-and-out,outright,peremptory,perfect,perfectly,pervasive,plain,plumb,positive,pure,purely,radical,radically,regular,round,sheer,spiritedly,sprightly,straight,straight-out,sweeping,thorough,thoroughgoing,through-and-through,to a fare-you-well,to a fault,to excess,to extremes,to the backbone,to the extreme,to the full,to the limit,to the marrow,to the skies,to the sky,to the utmost,too far,total,totalitarian,totally,ubiquitous,uncircumscribed,unconditional,unconditionally,unconditioned,under full steam,undoubting,unequivocal,unequivocally,unhampered,unhesitating,universal,unlimited,unmistakable,unmitigated,unqualified,unquestioning,unreserved,unrestricted,unwaivable,utter,utterly,veritable,vivaciously,whole,wholesale,wide open,with a vengeance,with all speed,without exception,without reserve 636 - all over,ad infinitum,all over hell,all round,all through,always,and everywhere,at about,at all points,at full length,cosmically,every bit,every inch,every which way,every whit,everywhere,everywheres,far and near,far and wide,galactically,harum-scarum,head and shoulders,heart and soul,helter-skelter,here,higgledy-piggledy,high and low,hugger-mugger,in a jumble,in a mess,in a muddle,in all creation,in all places,in all quarters,in all respects,in confusion,in disarray,in disorder,in every clime,in every instance,in every place,in every quarter,in every respect,in extenso,inside and out,internationally,invariably,neck deep,never otherwise,on all counts,over,overall,root and branch,round about,skimble-skamble,the world over,there,through,through and through,throughout,throughout the world,to the brim,to the death,to the end,to the hilt,under the sun,universally,upstairs and downstairs,willy-nilly,without exception,you name it 637 - all overs,agitation,angst,anxiety,anxiety hysteria,anxiety neurosis,anxious bench,anxious concern,anxious seat,anxiousness,apprehension,apprehensiveness,cankerworm of care,care,cold shivers,cold sweat,concern,concernment,disquiet,disquietude,distress,disturbance,dither,dithers,doubt,dread,fear,foreboding,forebodingness,heebie-jeebies,inquietude,jimjams,jitters,jumps,malaise,misgiving,nervous strain,nervous tension,nervousness,overanxiety,perturbation,pins and needles,pucker,qualm,qualmishness,quivers,shakes,shivers,solicitude,stew,strain,suspense,sweat,tension,trembles,trouble,uneasiness,unquietness,upset,vexation,willies,zeal 638 - all pervading,absolute,all-comprehending,all-comprehensive,all-covering,all-embracing,all-encompassing,all-filling,all-including,all-inclusive,all-out,allover,born,broad-based,catholic,clean,clear,comprehensive,congenital,consummate,cosmopolitan,country-wide,deep-dyed,downright,dyed-in-the-wool,ecumenic,egregious,exhaustive,galactic,global,heaven-wide,intensive,international,national,nondenominational,nonsectarian,omnibus,omnipresent,out-and-out,outright,perfect,pervasive,plain,planetary,plumb,pure,radical,regular,sheer,straight,sweeping,thorough,thoroughgoing,through-and-through,total,ubiquitous,unconditional,universal,unmitigated,unqualified,unreserved,unrestricted,utter,veritable,wholesale,world-wide 639 - all powerful,absolute,all-knowing,all-seeing,all-wise,almighty,boundless,changeless,creating,creative,eternal,eternally the same,everlasting,glorious,good,hallowed,highest,holy,immortal,immutable,infinite,just,limitless,loving,luminous,majestic,making,merciful,numinous,omnipotent,omnipresent,omniscient,one,permanent,perpetual,plenipotentiary,radiant,sacred,shaping,sovereign,supreme,timeless,ubiquitous,unbounded,unchanging,undefined,unlimited 640 - all right,OK,Roger,absolute,absolutely,acceptable,accurate,adequate,admissible,agreeable,agreed,alright,alrighty,amen,as you say,assuredly,aye,better than nothing,by all means,certainly,correct,da,dead right,decent,doing nicely,exactly,fair,fairish,faultless,fine,flawless,good,good enough,goodish,hear,indeed,indeedy,ja,just,just right,just so,letter-perfect,mais oui,meticulous,moderate,most assuredly,naturally,naturellement,not amiss,not bad,not half bad,not so bad,of course,okay,oui,passable,perfect,positively,precisely,presentable,pretty good,proper,quite,rather,really,respectable,right,righto,satisfactory,straight,straight-up-and-down,sufficient,sure,sure thing,surely,tenable,tidy,to be sure,tolerable,truly,unailing,unexceptionable,unexceptional,unimpeachable,unobjectionable,unsick,unsickly,up and about,very well,viable,well,well and good,why yes,workmanlike,yea,yeah,yep,yes,yes indeed,yes indeedy,yes sir,yes sirree 641 - all round,all about,all over,all over hell,and everywhere,around,every which way,everywhence,everywhere,everywheres,everywhither,far and near,far and wide,from every quarter,here,high and low,in all creation,in all directions,in all places,in all quarters,in every clime,in every place,in every quarter,inside and out,on all hands,on all sides,on every side,overall,right and left,round about,the world over,there,throughout,throughout the world,under the sun,universally,upstairs and downstairs 642 - all seeing,all-knowing,all-powerful,all-wise,almighty,boundless,changeless,creating,creative,eternal,eternally the same,everlasting,glorious,good,hallowed,highest,holy,immortal,immutable,infinite,just,limitless,loving,luminous,majestic,making,merciful,numinous,omnipotent,omnipresent,omniscient,one,permanent,perpetual,radiant,sacred,shaping,sovereign,supreme,timeless,ubiquitous,unbounded,unchanging,undefined,unlimited 643 - all set,all ready,armed,armed and ready,booted and spurred,briefed,coached,cocked,equipped,familiarized,good and ready,groomed,in arms,in battle array,in readiness,in the saddle,informed,loaded,loaded for bear,mature,mobilized,on the mark,planned,prearranged,prepared,prepared and ready,prepped,primed,provided,psyched up,ready,ready for anything,ripe,set,up in arms,vigilant,well-prepared 644 - all the way,a outrance,a toute outrance,all hollow,all out,as far as,flat out,the last extremity,to,to a fare-you-well,to a finish,to the backbone,to the end,to the full,to the limit,to the marrow,to the skies,to the sky,to the utmost,utterly,with a vengeance 645 - all things considered,after all,all in all,altogether,as a rule,as a whole,as an approximation,at large,before the bench,before the court,broadly,broadly speaking,by and large,ceteris paribus,chiefly,commonly,considering,everything being equal,generally,generally speaking,in court,in general,in round numbers,mainly,mostly,normally,on balance,on the average,on the whole,ordinarily,overall,predominantly,prevailingly,roughly,roughly speaking,routinely,speaking generally,sub judice,taking into account,therefore,this being so,usually,wherefore 646 - all thumbs,awkward,blunderheaded,blundering,boorish,bumbling,bungling,butterfingered,careless,clownish,clumsy,clumsy-fisted,cumbersome,fingers all thumbs,fumbling,gauche,gawkish,gawky,graceless,ham-fisted,ham-handed,heavy-handed,hulking,hulky,inelegant,left-hand,left-handed,loutish,lubberly,lumbering,lumpish,maladroit,oafish,ponderous,sloppy,stiff,uncouth,ungainly,ungraceful,unhandy,unwieldy 647 - all together,all agreeing,all at once,as one,as one man,at a blow,at a clip,at a stroke,at once,at one blow,at one jump,at one stroke,at one swoop,at one time,by acclamation,coinstantaneously,concurrently,conjointly,consentaneously,corporately,forthwith,in a chorus,in a hurry,in agreement,in chorus,in common,in concert with,in concord,in partnership,in phase,in sync,in unison,inharmony,isochronously,jointly,mutually,nem con,nemine contradicente,nemine dissentiente,now,on all hands,on the beat,one and all,per saltum,pronto,right away,right now,right off,simultaneously,straightaway,straightway,subito,synchronously,then and there,this minute,this very minute,to a man,together,unanimously,uno saltu,with one accord,with one consent,with one voice,without contradiction,without delay 648 - all,A to Z,A to izzard,Copernican universe,Einsteinian universe,Newtonian universe,Ptolemaic universe,acme,across the board,aggregate,all and some,all and sundry,all being,all creation,all hands,all in all,all put together,all the world,all-embracing,all-inclusive,allness,alpha and omega,altogether,any,apogee,as a body,as a whole,aside,assemblage,at large,be-all,be-all and end-all,beginning and end,bodily,ceiling,climax,collectively,complement,complete,comprehensive,corporately,cosmos,created nature,created universe,creation,crown,each,each and all,each and every,each one,en bloc,en masse,end,entire,entirely,entirety,every,every man Jack,every one,everybody,everyman,everyone,everything,everything that is,exactly,exhaustive,expanding universe,extreme,extremity,full,gross,highest degree,holistic,in a body,in all,in all respects,in bulk,in its entirety,in the aggregate,in the gross,in the lump,in the mass,in toto,inclusive,integral,integrated,just,length and breadth,limit,macrocosm,macrocosmos,maximum,megacosm,metagalaxy,nature,ne plus ultra,nth degree,omneity,omnibus,on all counts,one,one and all,one and indivisible,outright,package,package deal,peak,per,per capita,pinnacle,plenary,plenum,pulsating universe,purely,quite,set,sidereal universe,steady-state universe,stick,sum,sum of things,sum total,summit,system,the corpus,the ensemble,the entirety,the lot,the whole,the whole range,top,total,totality,totality of being,totally,tote,tout ensemble,tout le monde,universal,universe,utmost,utmost extent,utterly,uttermost,whole,whole wide world,wholly,wide world,world,world without end 649 - allay,abate,alleviate,anesthetize,appease,assuage,attemper,balm,bank the fire,benumb,blunt,calm,chasten,cloy,compose,conciliate,constrain,control,cool,cram,cushion,damp,dampen,de-emphasize,deaden,deaden the pain,defuse,deliver,diminish,disburden,disembarrass,disencumber,downplay,dulcify,dull,ease,ease matters,engorge,extenuate,feast,feed,fill,fill up,foment,free,give relief,glut,gorge,gratify,jade,keep within bounds,lay,lay the dust,lenify,lessen,lighten,lull,mitigate,moderate,modulate,mollify,numb,obtund,overdose,overfeed,overfill,overgorge,oversaturate,overstuff,pacify,pad,pall,palliate,placate,play down,poultice,pour balm into,pour balm on,pour oil on,propitiate,quench,quiet,quieten,reduce,reduce the temperature,regale,release,relieve,restrain,salve,sate,satiate,satisfy,saturate,settle,slacken,slake,slow down,smooth,smooth down,smooth over,smother,sober,sober down,soften,soothe,stifle,still,stuff,stupe,subdue,supersaturate,suppress,surfeit,tame,temper,tone down,tranquilize,tune down,underplay,weaken 650 - allegation,Parthian shot,accusal,accusation,accusing,address,admission,affidavit,affirmance,affirmation,allegement,announcement,annunciation,answer,apostrophe,arraignment,assertion,asseveration,attest,attestation,averment,avouchment,avowal,bill,bill of complaint,bill of particulars,blame,bringing of charges,bringing to book,charge,claim,comment,complaint,compurgation,conclusion,count,crack,creed,declaration,delation,denouncement,denunciation,deposition,dictum,disclosure,enunciation,exclamation,expression,greeting,impeachment,implication,imputation,indictment,information,innuendo,insinuation,instrument in proof,interjection,ipse dixit,lawsuit,laying of charges,legal evidence,libel,manifesto,mention,narratio,nolle prosequi,nonsuit,note,observation,phrase,plaint,position,position paper,positive declaration,predicate,predication,proclamation,profession,pronouncement,proposition,prosecution,protest,protestation,question,reflection,remark,reproach,say,say-so,saying,sentence,stance,stand,statement,statement of facts,subjoinder,suit,sworn evidence,sworn statement,sworn testimony,taxing,testimonial,testimonium,testimony,thought,true bill,unspoken accusation,utterance,veiled accusation,vouch,witness,word 651 - allege,accuse,acknowledge,adduce,advance,affirm,announce,annunciate,argue,arraign,array,article,assert,assever,asseverate,attest,aver,avouch,avow,bear witness,book,bring accusation,bring charges,bring forward,bring on,bring to bear,bring to book,certify,charge,cite,claim,complain,contend,declare,denounce,denunciate,deploy,depone,depose,disclose,enunciate,express,fasten on,fasten upon,finger,give evidence,hang something on,have,hold,impeach,imply,impute,indict,inform against,inform on,insinuate,insist,issue a manifesto,lay,lay charges,lay down,lodge a complaint,lodge a plaint,maintain,manifesto,marshal,nuncupate,offer,pin on,plead,predicate,prefer charges,present,press charges,pretend,pretext,proclaim,produce,profess,pronounce,protest,protest too much,purport,put,put it,put on report,quote,rally,recite,recount,rehearse,relate,report,reproach,say,set down,speak,speak out,speak up,stand for,stand on,state,submit,swear,take to task,task,taunt with,tax,testify,twit,vouch,warrant,witness 652 - alleged,accountable,accounted as,affirmed,announced,ascribable,asserted,asseverated,assignable,assumed,assumptive,attested,attributable,attributed,averred,avouched,avowed,certified,charged,claimed,compare,conjectural,conjectured,credible,credited,declared,deemed,deposed,derivable from,derivational,derivative,described,designated,doubtful,dubious,due,enunciated,explicable,given,granted,hypocritical,hypothetical,imputable,imputed,in name only,inferred,manifestoed,ostensible,owing,plausible,pledged,postulated,postulational,predicated,premised,presumed,presumptive,pretended,pretexted,professed,pronounced,purported,putative,questionable,referable,referred to,reputed,self-styled,so-called,soi-disant,specious,stated,supposed,suppositional,supposititious,suppositive,suspected,sworn,sworn to,taken for granted,traceable,understood,vouched,vouched for,vowed,warranted,would-be 653 - allegiance,acquiescence,adherence,adhesion,assigned task,attachment,bona fides,bond,bonne foi,bounden duty,burden,business,call of duty,charge,commitment,compliance,conformity,consecration,constancy,dedication,deference,devoir,devotedness,devotion,duteousness,duties and responsibilities,dutifulness,duty,ethics,faith,faithfulness,fealty,fidelity,firmness,good faith,homage,honor,imperative,line of duty,loyalty,mission,must,obedience,obediency,obligation,observance,onus,ought,piety,place,respect,self-imposed duty,service,servility,servitium,staunchness,steadfastness,submission,submissiveness,suit and service,suit service,tie,troth,true blue,trueness,willingness 654 - allegorical,allegoric,anagogic,associational,connotational,connotative,definable,denotational,denotative,expressive,extended,extensional,fabulous,fictional,figurative,full of meaning,full of point,full of substance,indicative,intelligible,intensional,interpretable,legendary,meaning,meaningful,meaty,metaphorical,mythic,mythological,mythopoeic,mythopoetic,parabolic,pithy,pointed,pregnant,readable,referential,romantic,romanticized,sententious,significant,significative,substantial,suggestive,symbolic,transferred 655 - allegorize,account for,allude to,assume,bring to mind,clarify,clear up,connote,crack,decipher,demonstrate,demythologize,elucidate,enlighten,entail,euhemerize,exemplify,explain,explain away,explicate,exposit,expound,fable,fabulize,fictionalize,give reason for,give the meaning,hint,illuminate,illustrate,implicate,imply,import,infer,insinuate,intimate,involve,make clear,make plain,mean,mean to say,mythicize,mythify,mythologize,narrate,novelize,point indirectly to,popularize,presume,presuppose,rationalize,recite,recount,rehearse,relate,report,retell,romance,shed light upon,show,show how,show the way,simplify,solve,spell out,storify,suggest,suppose,take for granted,tell,tell a story,throw light upon,unfold,unfold a tale,unlock,unravel 656 - allegory,Marchen,Western,Western story,Westerner,adventure story,allusion,analogy,apologue,arcane meaning,assumption,balancing,bedtime story,charactery,cipher,coloration,comparative anatomy,comparative degree,comparative grammar,comparative judgment,comparative linguistics,comparative literature,comparative method,compare,comparing,comparison,confrontation,confrontment,connotation,contrast,contrastiveness,conventional symbol,correlation,detective story,distinction,distinctiveness,emblem,fable,fabliau,fairy tale,fantasy,fiction,figuration,folk story,folktale,gest,ghost story,hint,horse opera,iconology,ideogram,implication,implied meaning,import,inference,innuendo,intimation,ironic suggestion,legend,likening,logogram,logotype,love knot,love story,matching,meaning,metaphor,metaphorical sense,mystery,mystery story,myth,mythology,mythos,nuance,nursery tale,occult meaning,opposing,opposition,overtone,parable,parallelism,pictogram,presumption,presupposition,proportion,relation,romance,science fiction,shocker,simile,similitude,space fiction,space opera,subsense,subsidiary sense,suggestion,supposition,suspense story,symbol,symbolic system,symbolism,symbolization,symbology,thriller,tinge,token,totem,totem pole,touch,trope of comparison,type,typification,undercurrent,undermeaning,undertone,weighing,whodunit,work of fiction 657 - allegro,accelerando,actively,adagietto,adagio,affrettando,all out,allegretto,andante,andantino,animatedly,breezily,briskly,con anima,con brio,crescendo,decrescendo,desto,diminuendo,energetically,forte,fortissimo,full tilt,in full swing,larghetto,larghissimo,largo,legato,lively,marcando,moderato,pianissimo,piano,pizzicato,prestissimo,presto,rallentando,ritardando,ritenuto,scherzando,scherzo,spiccato,spiritedly,sprightly,staccato,stretto,veloce,vivace,vivaciously,vivacissimo 658 - Alleluia,Agnus Dei,Anamnesis,Blessing,Canon,Collect,Communion,Consecration,Credo,Dismissal,Epistle,Fraction,Gloria,Gospel,Gradual,Introit,Kyrie,Kyrie Eleison,Last Gospel,Lavabo,Offertory,Paternoster,Pax,Post-Communion,Preface,Sanctus,Secreta,Tersanctus,Tract 659 - alleluia,Agnus Dei,Benedicite,Gloria,Gloria Patri,Gloria in Excelsis,Introit,Magnificat,Miserere,Nunc Dimittis,Te Deum,Trisagion,Vedic hymn,answer,anthem,antiphon,antiphony,applause,canticle,chant,cheer,chorale,chorus of cheers,cry,doxology,hallelujah,hooray,hosanna,hurrah,hurray,huzzah,hymn,hymn of praise,hymnody,hymnography,hymnology,laud,mantra,motet,offertory,offertory sentence,paean,psalm,psalmody,rah,report,response,responsory,shout,versicle,yell,yippee 660 - allergen,Rh factor,agglutinin,allergic disorder,allergy,anaphylactin,antiantibody,antibody,antigen,antiserum,antitoxic serum,antitoxin,antivenin,asthma,conjunctivitis,cosmetic dermatitis,eczema,hay fever,hives,incomplete antibody,interferon,pollinosis,precipitin,rose cold,serum,urticaria 661 - allergic,anaphylactic,anemic,apoplectic,arthritic,averse,bilious,cancerous,chlorotic,colicky,consumptive,delicate,disaffected,disenchanted,disinclined,displeased,dropsical,dyspeptic,edematous,empathetic,empathic,encephalitic,epileptic,goosy,hostile,hyperesthetic,hyperpathic,hypersensitive,irritable,itchy,laryngitic,leprous,luetic,malarial,malignant,measly,nephritic,nervous,neuralgic,neuritic,not charmed,overrefined,oversensible,oversensitive,overtender,palsied,paralytic,passible,phthisic,pleuritic,pneumonic,pocky,podagric,prickly,put off,rachitic,refined,responsive,rheumatic,rickety,scorbutic,scrofulous,sensitive,skittish,supersensitive,sympathetic,tabetic,tabid,tactful,tender,tetchy,thin-skinned,ticklish,touchy,tubercular,tuberculous,tumorigenic,tumorous,unfriendly 662 - allergy,abhorrence,abnormality,abomination,acute disease,affection,affliction,ailment,allergen,allergic disease,allergic disorder,anaphylaxis,antagonism,antipathy,asthma,atrophy,aversion,bacterial disease,birth defect,blight,cardiovascular disease,chronic disease,circulatory disease,cold sweat,complaint,complication,condition,congenital defect,conjunctivitis,considerateness,cosmetic dermatitis,creeping flesh,defect,deficiency disease,deformity,degenerative disease,delicacy,disability,disease,disgust,disorder,distemper,eczema,empathy,endemic,endemic disease,endocrine disease,enmity,epidemic disease,exquisiteness,fineness,functional disease,fungus disease,gastrointestinal disease,genetic disease,handicap,hate,hatred,hay fever,hereditary disease,hives,horror,hostility,hyperesthesia,hyperpathia,hypersensitivity,iatrogenic disease,identification,illness,indisposition,infectious disease,infirmity,irritability,loathing,malady,malaise,morbidity,morbus,mortal horror,muscular disease,nausea,nervousness,neurological disease,nutritional disease,occupational disease,organic disease,oversensibility,oversensitiveness,overtenderness,pandemic disease,passibility,pathological condition,pathology,perceptiveness,perceptivity,photophobia,plant disease,pollinosis,prickliness,protozoan disease,psychosomatic disease,rejection,repugnance,repulsion,respiratory disease,responsiveness,revulsion,rockiness,rose cold,secondary disease,seediness,sensitiveness,sensitivity,sensitization,shuddering,sickishness,sickness,signs,soreness,supersensitivity,sympathy,symptomatology,symptomology,symptoms,syndrome,tact,tactfulness,tenderness,tetchiness,the pip,thin skin,ticklishness,touchiness,urogenital disease,urticaria,virus disease,wasting disease,worm disease 663 - alleviate,abate,allay,anesthetize,appease,assuage,attemper,attenuate,bank the fire,bate,be light,benumb,blunt,chasten,constrain,control,cure,cushion,damp,dampen,de-emphasize,deaden,deaden the pain,dilute,diminish,disburden,disencumber,downplay,dull,ease,ease matters,extenuate,foment,give relief,have little weight,keep within bounds,kick the beam,lay,lenify,lessen,lighten,lull,make light,make lighter,mitigate,moderate,modulate,mollify,numb,obtund,off-load,pad,palliate,play down,poultice,pour balm into,pour oil on,reduce,reduce the temperature,reduce weight,relieve,remedy,remit,restrain,salve,slacken,slake,slow down,smother,sober,sober down,soften,soothe,stifle,stupe,subdue,suppress,tame,temper,tone down,tune down,unballast,unburden,underplay,unlade,unload,water down,weaken,weigh lightly 664 - alleviation,abatement,abridgment,allayment,analgesia,anesthesia,anesthetizing,appeasement,assuagement,attenuation,blunting,calming,contraction,dampening,damping,deadening,decrease,decrement,decrescence,deduction,deflation,demulsion,depreciation,depression,diminishment,diminution,disburdening,disencumberment,dulcification,dulling,dying,dying off,ease,easement,easing,extenuation,fade-out,falling-off,hushing,languishment,leniency,lessening,letdown,letup,lightening,loosening,lowering,lulling,miniaturization,mitigation,modulation,mollification,numbing,pacification,palliation,quietening,quieting,reduction,relaxation,relief,remedy,remission,sagging,salving,scaling down,simplicity,slackening,softening,soothing,subduement,subtraction,tempering,tranquilization,unballasting,unburdening,unfreighting,unlading,unloading,unsaddling,untaxing,weakening 665 - alleviative,alleviating,alleviator,analgesic,anesthetic,anodyne,assuager,assuasive,balm,balmy,balsamic,benumbing,calmant,calmative,cathartic,cleansing,cushion,deadening,demulcent,disburdening,disencumbering,dolorifuge,dulling,easing,emollient,lenitive,lightening,mitigating,mitigative,mitigator,moderator,modulator,mollifier,numbing,pacificator,pacifier,pain-killing,palliative,peacemaker,purgative,relieving,remedial,restraining hand,salve,sedative,shock absorber,softening,soother,soothing,soothing syrup,stabilizer,subduing,temperer,tranquilizer,unburdening,wiser head 666 - alley,Autobahn,US highway,access,aisle,alleyway,ambulatory,aperture,arcade,arterial,arterial highway,arterial street,artery,autoroute,autostrada,avenue,belt highway,blind alley,boulevard,bypass,byway,camino real,carriageway,causeway,causey,channel,chaussee,circumferential,cloister,close,colonnade,communication,conduit,connection,corduroy road,corridor,county road,court,covered way,crescent,cul-de-sac,dead-end street,defile,dike,dirt road,drive,driveway,exit,expressway,ferry,ford,freeway,gallery,gravel road,highroad,highway,highways and byways,inlet,interchange,intersection,interstate highway,junction,lane,local road,main drag,main road,mews,motorway,opening,outlet,overpass,parkway,pass,passage,passageway,pave,paved road,pike,place,plank road,portico,primary highway,private road,railroad tunnel,right-of-way,ring road,road,roadbed,roadway,route nationale,row,royal road,secondary road,speedway,state highway,street,superhighway,terrace,thoroughfare,through street,thruway,toll road,township road,traject,trajet,tunnel,turnpike,underpass,wynd 667 - alliance,Anschluss,Bund,NATO,Rochdale cooperative,SEATO,a world-without-end bargain,accompaniment,accord,accordance,addition,adjunct,affairs,affiliation,affinity,agglomeration,aggregation,agnation,agreement,alignment,alikeness,amalgamation,analogy,ancestry,anschluss,aping,approach,approximation,assemblage,assimilation,association,axis,band,bed,blend,blending,bloc,blood,blood relationship,body,bond,bond of matrimony,bridebed,brotherhood,brothership,cabal,cahoots,capitulation,cartel,centralization,closeness,club,co-working,coaction,coadunation,coalescence,coalition,cognation,cohabitation,coincidence,collaboration,colleagueship,collectivity,college,collegialism,collegiality,collusion,combination,combine,combined effort,combo,common ancestry,common descent,common market,community,comparability,comparison,composition,comradeship,concert,concerted action,concomitance,concord,concordance,concordat,concourse,concurrence,confederacy,confederation,confluence,conformity,confraternity,congeries,conglomeration,conjugal bond,conjugal knot,conjugation,conjunction,connectedness,connection,consanguinity,consilience,consolidation,conspiracy,consumer cooperative,contiguity,contrariety,convention,cooperation,cooperative,cooperative society,copartnership,copartnery,copying,corps,correspondence,council,cousinhood,cousinship,coverture,credit union,customs union,dealings,deduction,disjunction,economic community,ecumenism,embodiment,enation,encompassment,enosis,entente,entente cordiale,fatherhood,federalization,federation,fellowship,filiation,fraternalism,fraternity,fraternization,free trade area,freemasonry,fusion,gang,group,grouping,holy matrimony,holy wedlock,homology,hookup,husbandhood,identity,ill-assorted marriage,imitation,inclusion,incorporation,integration,intercourse,intermarriage,international agreement,interracial marriage,intimacy,junction,junta,kindred,kinship,league,liaison,likeness,likening,link,linkage,linking,machine,marriage,marriage bed,marriage sacrament,match,maternity,matrilineage,matriliny,matrimonial union,matrimony,matrisib,matrocliny,meld,melding,merger,mesalliance,metaphor,mimicking,misalliance,miscegenation,mixed marriage,mob,motherhood,mutual attraction,mutual-defense treaty,nearness,nonaggression pact,nuptial bond,order,package,package deal,pact,paction,parallelism,parasitism,parity,partnership,paternity,patrilineage,patriliny,patrisib,patrocliny,political machine,propinquity,proximity,rapport,relatedness,relation,relations,relationship,resemblance,ring,sacrament of matrimony,sameness,saprophytism,semblance,sibship,similarity,simile,similitude,simulation,simultaneity,sisterhood,sistership,society,sodality,solidification,sorority,spousehood,symbiosis,sympathy,synchronism,syncretism,syndication,syneresis,synergy,synthesis,tie,tie-in,tie-up,ties of blood,treaty,unification,union,united action,unity,wedded bliss,wedded state,weddedness,wedding,wedding knot,wedlock,wifehood 668 - allied,affiliate,affiliated,affinitive,agnate,akin,assembled,associate,associated,avuncular,banded together,bound,bracketed,cabalistic,closely related,cognate,collateral,collected,confederate,confederated,congeneric,congenerous,congenial,conjoined,conjugate,connate,connatural,connected,consanguine,consanguinean,consanguineous,conspecific,conspiratorial,copulate,corporate,correlated,correlative,coupled,distantly related,enate,enleagued,federate,federated,foster,gathered,german,germane,hand-in-glove,hand-in-hand,implicated,in cahoots,in league,in partnership,in with,incident,incorporated,integrated,interlinked,interlocked,interrelated,intimate,involved,joined,kindred,knotted,leagued,linked,married,matched,mated,matrilateral,matrilineal,matroclinous,merged,novercal,of that ilk,of that kind,of the blood,paired,parallel,partners with,patrilateral,patrilineal,patroclinous,related,sib,sibling,similar,spliced,teamed,tied,twinned,undivided,united,unseparated,uterine,wed,wedded,yoked 669 - alliteration,assonance,blank verse,chime,clink,consonance,crambo,dingdong,double rhyme,drone,eye rhyme,harping,humdrum,jingle,jingle-jangle,monotone,monotony,near rhyme,paronomasia,pitter-patter,pun,repeated sounds,repetitiousness,repetitiveness,rhyme,rhyme royal,rhyme scheme,rhyming dictionary,single rhyme,singsong,slant rhyme,stale repetition,tail rhyme,tedium,trot,unnecessary repetition,unrhymed poetry 670 - alliterative,alliteral,alliterating,assonant,assonantal,belabored,chanting,chiming,cliche-ridden,dingdong,harping,humdrum,jingle-jangle,jingling,jog-trot,labored,monotone,monotonous,punning,rhymed,rhyming,singsong,tedious 671 - allocate,align,allot,allow,appoint,apportion,appropriate to,array,assign,assign to,collocate,compose,deal,deal out,deploy,destine,detail,dispose,distribute,earmark,emplace,fate,fix,get a fix,give,home in on,install,line,line up,localize,locate,lot,make assignments,mark off,mark out for,marshal,mete out,navigate,ordain,parcel out,pin down,pinpoint,place,portion off,position,put in place,rally,range,regiment,reserve,restrict,restrict to,schedule,set,set apart,set aside,set off,set out,situate,space,spot,tag,triangulate,zero in on 672 - allocation,allotment,appointment,apportionment,appropriation,arrangement,array,arraying,assignment,attribution,collation,collocation,constitution,denomination,deployment,deposit,deposition,designation,determination,disposal,disposition,distribution,earmarking,emplacement,fixing,form,formation,formulation,lading,loading,localization,locating,location,marshaling,order,ordering,packing,pinning down,pinpointing,placement,placing,positioning,posting,precision,putting,regimentation,reposition,selection,setting aside,signification,situation,specification,spotting,stationing,stipulation,storage,stowage,structuring,syntax,tagging 673 - allocution,address,after-dinner speech,chalk talk,debate,declamation,diatribe,eulogy,exhortation,filibuster,forensic,forensic address,formal speech,funeral oration,harangue,hortatory address,inaugural,inaugural address,invective,jeremiad,lecture,oration,pep talk,peroration,philippic,pitch,prepared speech,prepared text,public speech,reading,recital,recitation,sales talk,salutatory,salutatory address,say,screed,set speech,speech,speechification,speeching,talk,talkathon,tirade,valediction,valedictory,valedictory address 674 - allot,accord,administer,afford,align,allocate,allow,appoint,apportion,appropriate to,array,assign,assign to,award,bestow,bestow on,collocate,communicate,compose,confer,deal,deal out,destine,detail,dish out,dispense,dispose,distribute,divide,dole,dole out,donate,earmark,equip,extend,fate,fit out,fix,fork out,furnish,gift,gift with,give,give freely,give out,grant,hand out,heap,help to,impart,issue,lavish,let have,line,line up,lot,make assignments,mark off,mark out for,marshal,mete,mete out,offer,ordain,parcel out,place,portion off,pour,prescribe,present,proffer,rain,rally,range,regiment,render,reserve,restrict,restrict to,schedule,serve,set,set apart,set aside,set off,set out,share out,shell out,shower,slip,snow,space,tag,tender,vouchsafe,yield 675 - allotheism,acosmism,animatism,animism,anthropolatry,anthropomorphism,anthropotheism,autotheism,cosmotheism,deism,ditheism,dualism,dyotheism,heathendom,heathenism,heathenry,henotheism,hylotheism,idolatry,monolatry,monotheism,multitheism,myriotheism,pagandom,paganism,paganry,pantheism,physicomorphism,physitheism,polytheism,psychotheism,tetratheism,theism,theopantism,theriotheism,tritheism,zootheism 676 - allotment,C ration,K ration,aid,alimony,allocation,allowance,annuity,appointment,apportionment,appropriation,arrangement,array,arraying,assignment,assistance,big end,bigger half,bit,bite,board,bounty,budget,chunk,collation,collocation,commission,commons,constitution,contingent,cut,deal,depletion allowance,deployment,destiny,disposal,disposition,distribution,dividend,dole,earmarking,emergency rations,end,equal share,fate,fellowship,field rations,financial assistance,form,formation,formulation,grant,grant-in-aid,guaranteed annual income,half,halver,help,helping,interest,kitchen garden,lot,market garden,marshaling,meals,measure,meed,mess,modicum,moiety,old-age insurance,order,ordering,part,patch,pecuniary aid,pension,percentage,piece,placement,plot,portion,price support,proportion,public assistance,public welfare,quantum,quota,rake-off,ration,rations,regimentation,relief,retirement benefits,scholarship,segment,setting aside,share,short commons,slice,small share,stake,stipend,stock,structuring,subsidization,subsidy,subvention,support,syntax,tagging,tax benefit,tract,truck garden,tucker,welfare,welfare aid,welfare payments 677 - allotropy,Proteus,allotropism,diversification,diversity,her infinite variety,heterogeneity,heteromorphism,manifoldness,multifariousness,multiplicity,nonuniformity,omnifariousness,omniformity,polymorphism,shapeshifter,variation,variegation,variety 678 - allover,all-comprehending,all-comprehensive,all-covering,all-embracing,all-encompassing,all-filling,all-including,all-inclusive,all-pervading,catholic,cosmopolitan,country-wide,ecumenic,galactic,global,heaven-wide,international,national,nondenominational,nonsectarian,planetary,total,ubiquitous,universal,world-wide 679 - allow for,admit,admit exceptions,allow,bear with,blink at,color,concede,condone,connive at,consider,consider the circumstances,consider the source,diminish,discount,disregard,ease,endure,extenuate,gloss over,grant,ignore,leave unavenged,lessen,let it go,lift temporarily,make allowance for,make allowances for,mince,mitigate,overlook,palliate,pass over,pocket the affront,provide for,regard with indulgence,relax,relax the condition,set aside,slur over,soft-pedal,soften,take,take account of,take into account,take into consideration,varnish,waive,whitewash,wink at 680 - allow,OK,abate,accede,accept,accord,account,acknowledge,acquiesce,add,adjudge,adjudicate,administer,admit,admit everything,admit exceptions,afford,agree provisionally,agree to,allocate,allot,allow for,apportion,appropriate,approve,assent,assent grudgingly,assign,authorize,avow,award,bate,be judicious,bestow,bestow on,brook,budget,charge off,come clean,communicate,concede,confer,confess,consent,consent to,consider,consider the circumstances,consider the source,cop a plea,count,countenance,cut,deal,deal out,deduct,deem,defer,depreciate,discount,dish out,dispense,disregard,dole,dole out,donate,earmark,endure,entertain,esteem,exercise judgment,express an opinion,express general agreement,extend,fork out,form an opinion,gift,gift with,give,give freely,give leave,give out,give permission,give the go-ahead,give the word,go along with,grant,hand out,have,heap,help to,hold,impart,issue,judge,kick back,lavish,leave,let,let have,let on,lift temporarily,lot,make allowance,make allowance for,make possible,mete,mete out,not oppose,offer,okay,open up,out with it,own,own up,permit,pine,plead guilty,pour,present,presume,proffer,provide for,put aside,put up with,rain,rebate,recognize,reduce,refund,regard,relax,relax the condition,release,render,sanction,say the word,serve,set apart,set aside,shell out,shower,slip,snow,spill,spill it,spit it out,stand,stand for,submit,suffer,suppose,take a premium,take account of,take into account,take into consideration,take off,tell all,tell the truth,tender,think of,tolerate,vouchsafe,waive,warrant,write off,yield 681 - allowance,C ration,K ration,OK,abatement,acceptance,account,acknowledgment,adjustment,admission,agio,aid,alimony,allocation,allotment,allowing,annuity,apportionment,appreciation,appropriation,approximation,assessment,assignment,assistance,authorization,avowal,bank discount,big end,bigger half,bill,bit,bite,blackmail,blood money,board,bounty,breakage,budget,bulge,cash discount,cession,chain discount,charge-off,charter,chunk,circumscription,color,commission,commons,concession,confession,consent,consideration,contingent,countenance,credit,cut,deadwood,deal,declaration,decontamination,deduction,depletion allowance,depreciation,destiny,deviation,discount,dispensation,dividend,dole,drawback,edge,emergency rations,emolument,end,equal share,exception,excuses,exemption,extenuating circumstances,extenuation,extenuative,fate,favor,fee,fellowship,field rations,financial assistance,footing,gilding,gloss,grain of salt,grant,grant-in-aid,guaranteed annual income,half,halver,handicap,head start,hedge,hedging,help,helping,hush money,imprecision,inaccuracy,inaccurateness,incorrectness,indulgence,inexactitude,inexactness,initiation fee,interest,kickback,laxity,leave,liberty,license,limitation,looseness,lot,meals,measure,meed,mental reservation,mess,mileage,mitigation,modicum,modification,moiety,negligence,odds,okay,old-age insurance,overhand,palliation,palliative,part,patent,payment,pecuniary aid,penalty,penalty clause,pension,percentage,permission,permission to enter,permit,permitting,piece,pin money,pocket money,portion,predictable error,premium,price reduction,price support,price-cut,probable error,profession,proportion,public assistance,public welfare,qualification,quantum,quota,rake-off,ration,rations,rebate,rebatement,reckoning,recognition,recompense,reduction,refund,reimbursement,release,relief,remittance,remuneration,reservation,restriction,retainer,retaining fee,retirement benefits,rollback,salvage,salvo,sanction,sanctioning,scholarship,scot,segment,setoff,share,short commons,slice,small share,softening,special case,special permission,special treatment,specialness,specification,stake,standard deviation,start,stipend,stock,subsidization,subsidy,subvention,sufferance,suffering,support,tare,tax benefit,ticket,ticket of admission,time discount,tolerance,tolerating,toleration,trade discount,tret,tribute,tucker,uncorrectness,underselling,unfactualness,unpreciseness,unrigorousness,vantage,varnish,vouchsafement,waiver,welfare,welfare aid,welfare payments,whitewash,whitewashing,write-off 682 - allowed,God-given,accepted,accorded,acknowledged,admitted,affirmed,approved,authenticated,avowed,bestowed,certified,conceded,confessed,confirmed,countersigned,endorsed,given,granted,gratuitous,notarized,on sufferance,permitted,professed,providential,ratified,received,recognized,sealed,signed,stamped,sworn and affirmed,sworn to,tolerated,underwritten,unforbidden,unprohibited,validated,vouchsafed,warranted 683 - alloy,Carboloy,Duralumin,Duriron,German silver,Monel Metal,Muntz metal,Stellite,Swedish steel,admix,admixture,adulterate,aggregate,allay,alloy iron,alloy steel,alloyage,alnico,alter,amalgam,amalgamate,amalgamation,babbitt,bell metal,bemingle,blend,brass,bronze,bush metal,canker,carbon steel,case-hardened steel,cast iron,change,cheapen,chisel steel,chrome-nickel steel,cinder pig,coalesce,coarsen,coin nickel,coin silver,combination,combine,combo,commingle,commix,commixture,compose,composite,composition,compound,concoct,concoction,confection,confound,conglomerate,constantan,contaminate,corrupt,cupronickel,damask,debase,debauch,decarbonized iron,defile,deflower,degenerate,degrade,denature,dental gold,deprave,desecrate,despoil,devalue,die steel,diminish,distort,drill steel,elinvar,emulsify,ensemble,fuse,fuse metal,fusion,galvanized iron,gilding metal,graphite steel,green gold,grid metal,gun metal,hard lead,hash,high brass,high-speed steel,homogenize,hot-work steel,immingle,immix,immixture,impair,infect,integrate,interblend,interfusion,interlace,interlard,intermingle,intermix,intermixture,intertwine,interweave,invar,jumble,knead,leaded bronze,magma,manganese bronze,merge,mingle,mingle-mangle,misuse,mix,mix up,mixture,moderate,modify,naval brass,nickel bronze,nickel silver,paste,pervert,pewter,phosphor bronze,pig,pinchbeck,poison,pollute,prostitute,ravage,ravish,red brass,rose metal,scramble,shot metal,shuffle,silicon bronze,silicon steel,solder,spiegeleisen,stainless steel,steel,sterling silver,stir up,structural iron,syncretize,taint,temper,throw together,tombac,tool steel,toss together,tula metal,twist,type metal,ulcerate,violate,vitiate,vulgarize,warp,white gold,white metal,work,wrought iron,yellow brass,yellow metal 684 - allude to,address to,adumbrate,advert to,allegorize,assume,be taken as,blurt,blurt out,bring to attention,bring to mind,bring to notice,call attention to,cite,comment,connote,denominate,denote,designate,direct attention to,direct to,drop a hint,emblematize,entail,exclaim,figure,finger,focus on,give a hint,give the cue,glance at,hint,hint at,implicate,imply,import,indicate,infer,insinuate,interject,intimate,involve,let drop,let fall,make reference to,mean,mean to say,mention,muse,name,note,observe,opine,pick out,point at,point indirectly to,point out,point to,presume,presuppose,prompt,refer to,reflect,remark,select,speak,specify,stand for,stigmatize,suggest,suppose,symbol,symbolize,take for granted,touch on,typify 685 - allure,appeal,bait,bewitch,captivate,charisma,charm,decoy,delude,draw,enchant,entice,entrap,fascinate,fascination,glamour,inveigle,lead on,magnetism,magnetize,seduce,take,tempt,toll,wile,witchcraft,witchery,woo 686 - allurement,adduction,adorability,affinity,agreeability,amiability,appeal,attractance,attraction,attractiveness,attractivity,bait,blandishment,cajolement,cajolery,call,capillarity,capillary attraction,centripetal force,charm,coaxing,come-on,conning,decoy,desirability,drag,draw,drawing power,engagement,enlistment,enticement,exhortation,gravitation,gravity,hortation,inducement,inveiglement,jawboning,likability,lobbying,lovability,loveliness,lovesomeness,lure,magnetism,mutual attraction,persuasion,preaching,preachment,pull,pulling power,sales talk,salesmanship,seducement,seduction,selling,snare,snow job,soft soap,solicitation,suasion,sweet talk,sweetness,sympathy,temptation,traction,trap,tug,wheedling,winning ways,winsomeness,working on 687 - alluring,adductive,appealing,appetizing,attracting,attractive,attrahent,beguiling,bewitching,blandishing,cajoling,captivating,catching,challenging,charismatic,charming,coaxing,come-hither,coquettish,delusive,dragging,drawing,enchanting,encouraging,energizing,engaging,enravishing,enthralling,enticing,entrancing,exciting,exotic,fascinating,fetching,flirtatious,galvanic,galvanizing,glamorous,hypnotic,interesting,intriguing,inviting,irresistible,magnetic,magnetized,mesmeric,mouth-watering,piquant,prepossessing,prompting,provocative,provoking,provoquant,pulling,ravishing,rousing,seducing,seductive,siren,sirenic,spellbinding,spellful,stimulant,stimulating,stimulative,stirring,sympathetic,taking,tantalizing,teasing,tempting,tickling,titillating,titillative,tugging,winning,winsome,witching 688 - allusion,allegory,arcane meaning,assumption,coloration,connotation,hint,implication,implied meaning,import,inference,innuendo,intimation,ironic suggestion,meaning,metaphorical sense,nuance,occult meaning,overtone,presumption,presupposition,subsense,subsidiary sense,suggestion,supposition,symbolism,tinge,touch,undercurrent,undermeaning,undertone 689 - allusive,allusory,figurative,figured,flowery,implicational,implicative,implicatory,indicative,inferential,insinuating,insinuative,insinuatory,ironic,mannered,metaphorical,ornamented,referential,suggestive,trolatitious,tropological 690 - alluvium,acres,alluvion,arable land,ash,cataclysm,cinder,clay,clinker,clod,crust,debris,deluge,deposit,deposition,deposits,detritus,diluvium,dirt,draff,dregs,drift,dross,dry land,dust,earth,ember,engulfment,feces,flood,freehold,froth,glebe,grassland,ground,grounds,inundation,land,landholdings,lees,lithosphere,loess,marginal land,marl,mold,moraine,offscum,overflow,overflowing,overrunning,precipitate,precipitation,real estate,real property,region,regolith,scoria,scree,scum,sediment,settlings,silt,sinter,slag,smut,sod,soil,soot,spill,spillage,subaerial deposit,sublimate,submersion,subsoil,terra,terra firma,terrain,territory,the Deluge,the Flood,the country,topsoil,washout,whelming,woodland 691 - ally,accessory,accomplice,act in concert,act together,adjunct,affiliate,alter ego,amalgamate,analogon,analogue,apply,archduchy,archdukedom,associate,band,band together,be in cahoots,be in league,bedfellow,bind,body politic,bracket,brother,brother-in-arms,buffer state,bunch,bunch up,cabal,captive nation,cement a union,centralize,chieftaincy,chieftainry,city-state,close copy,close match,club,club together,coact,coadjutor,coalesce,cognate,cohort,collaborate,collaborator,colleague,collude,colony,combine,come together,commonweal,commonwealth,companion,compatriot,compeer,complement,comrade,concert,concord,concur,confederate,confrere,congenator,congener,connect,consociate,consolidate,consort,conspire,cooperate,coordinate,correlate,correlative,correspondent,counterpart,country,county,couple,crony,do business with,domain,dominion,draw a parallel,duchy,dukedom,earldom,empery,empire,equate,equivalent,federalize,federate,fellow,fellow member,free city,friend,fuse,gang,gang up,get heads together,get together,go in partners,go in partnership,go partners,grand duchy,hang together,harmonize,hold together,hook up,hook up with,identify,image,interrelate,join,join forces,join fortunes with,join in,join together,join up,join up with,join with,keep together,kindred spirit,kingdom,land,league,league together,like,likeness,link,make common cause,mandant,mandate,mandated territory,mandatee,mandatory,marry,mate,merge,nation,nationality,near duplicate,obverse,organize,pair,pair off,parallel,parallelize,partner,pendant,picture,play ball,polis,polity,possession,power,principality,principate,protectorate,province,pull together,puppet government,puppet regime,put heads together,realm,reciprocal,reciprocate,relate,relativize,republic,satellite,second self,seneschalty,settlement,side,similitude,simulacrum,sister,soul mate,sovereign nation,stand together,stand up with,state,such,suchlike,sultanate,superpower,tally,team up,team up with,team with,territory,the like of,the likes of,throw in together,throw in with,tie,tie in,tie in with,tie up,tie up with,toparchia,toparchy,twin,unionize,unite,unite efforts,unite with,wed,work together 692 - alma mater,academe,academia,college,college of engineering,community college,degree-granting institution,four-year college,graduate school,institute of technology,ivied halls,journalism school,junior college,law school,medical school,multiversity,normal,normal school,postgraduate school,school of communications,school of education,two-year college,university,university college,varsity 693 - almighty,absolute,all-knowing,all-powerful,all-seeing,all-wise,awfully,boundless,changeless,creating,creative,eternal,eternally the same,everlasting,exceedingly,glorious,good,hallowed,highest,holy,immortal,immutable,infinite,just,limitless,loving,luminous,majestic,making,merciful,mightily,mighty,numinous,omnipotent,omnipresent,omniscient,one,only too,permanent,perpetual,plenipotentiary,powerful,powerfully,pretty,quite,radiant,real,really,right,sacred,shaping,so,sovereign,supreme,terribly,terrifically,timeless,ubiquitous,unbounded,unchanging,undefined,unlimited,very 694 - almond,Brazil nut,almond paste,amande,amande douce,amandes mondees,bitter almond,blanched almonds,burnt almond,goober,goober pea,ground-pea,groundnut,kernel,meat,nigger toe,noisette,noix,nut,peanut,peanut butter,salted peanuts,sweet almond 695 - almost,about,all but,approximately,as good as,as much as,barely,bordering on,close,closely,essentially,hardly,in effect,just about,most,much,near,nearabout,nearly,nigh,nighhand,not quite,practically,pretty near,scarcely,verging on,virtually,well-nigh 696 - almsgiver,Maecenas,Robin Hood,Santa Claus,almoner,angel,assignor,awarder,backer,benevolist,bestower,cheerful giver,conferrer,consignor,contributor,do-gooder,donator,donor,fairy godmother,feoffor,financer,funder,giver,grantor,humanitarian,imparter,lady bountiful,patron,patroness,philanthropist,power for good,presenter,settler,social worker,subscriber,sugar daddy,supporter,testate,testator,testatrix,vouchsafer,welfare statist,welfare worker,well-doer 697 - almsman,allottee,almswoman,annuitant,assign,assignee,bankrupt,beggar,beneficiary,casual,charity case,devisee,donee,down-and-out,down-and-outer,feoffee,grantee,hardcase,indigent,legatary,legatee,patentee,pauper,penniless man,pensionary,pensioner,poor devil,poor man,poorling,starveling,stipendiary,welfare client 698 - aloft,aboard,above,abovestairs,afloat,airward,all aboard,aloof,athwart the hawse,athwarthawse,aye,before the mast,high,high up,in flight,in sail,in the air,in the clouds,on board,on board ship,on deck,on high,on shipboard,on stilts,on the peak,on tiptoe,over,overhead,skyward,straight up,tiptoe,to the zenith,topside,up,upstairs,upward,upwards 699 - alone,abandoned,absolute,alienated,all alone,aloof,apart,azygous,barely,but,by itself,celibate,companionless,deserted,desolate,detached,entirely,excellent,exclusively,first and last,friendless,good,homeless,impair,in solitude,in the singular,incomparable,independently,individually,inimitable,insular,isolate,isolated,just,kithless,lone,lonely,lonesome,matchless,merely,odd,once,one and only,one by one,only,only-begotten,out-of-the-way,particularly,peerless,per se,plainly,private,purely,remote,removed,retired,rootless,secluded,second to none,separate,separated,separately,severally,simply,simply and solely,single-handed,single-handedly,singly,singular,singularly,sole,solely,solitary,solo,superior,unabetted,unaccompanied,unaided,unassisted,unattended,unequaled,unescorted,unexampled,unexcelled,unique,unmatched,unpaired,unparalleled,unrepeatable,unrepeated,unrivaled,unseconded,unsupported,unsurpassed,withdrawn,without equal 700 - along with,added to,as well as,attended by,coupled with,in addition to,in association with,in company with,in conjunction with,including,inclusive of,let alone,linked to,not to mention,over and above,partnered with,plus,together with,with 701 - along,abeam,abreast,additionally,ahead,along by,alongside,as well,at length,beside,by,en route to,endlong,endways,endwise,for,forth,forward,forwards,furthermore,in length,lengthways,lengthwise,likewise,longitudinally,longways,longwise,moreover,on,onward,onwards,too,yea,yet 702 - aloof,Laodicean,Olympian,above,above all that,abovestairs,airward,alienated,aloft,alone,antisocial,apart,apathetic,arrogant,at a distance,away,backward,bashful,benumbed,blah,blank,blase,bored,broken,careless,casual,chilled,chilly,cold,comatose,companionless,constrained,cool,desensitized,detached,disconnected,discontinuous,discreet,discrete,disdainful,disinterested,distant,distantly,dull,exclusive,expressionless,forbidding,formal,friendless,frigid,frosty,gapped,guarded,haughty,heartless,hebetudinous,heedless,high,high up,homeless,hopeless,icy,impassive,impersonal,in a stupor,in the air,in the clouds,inaccessible,incoherent,inconsistent,incurious,indifferent,insouciant,insular,introverted,isolated,kithless,languid,lethargic,listless,lone,lonely,lonesome,mindless,modest,nonadherent,nonadhesive,nonchalant,noncoherent,noncohesive,numb,numbed,off,offish,on high,on stilts,on the peak,on tiptoe,open,over,overhead,passive,phlegmatic,pluckless,private,proud,regardless,remote,remotely,removed,repressed,reserved,resigned,restrained,reticent,retiring,rootless,seclusive,separate,separated,shrinking,single-handed,skyward,slack,sluggish,solitary,solo,soporific,spiritless,spunkless,standoff,standoffish,stoic,stolid,straight up,stupefied,subdued,supercilious,supine,suppressed,tenuous,tiptoe,to the zenith,torpid,unabetted,unaccompanied,unadhesive,unaffable,unaided,unapproachable,unassisted,unattended,unbending,uncaring,uncoherent,uncohesive,uncompanionable,unconcerned,uncongenial,unconnected,undemonstrative,unescorted,unexpansive,unfriendly,ungenial,uninquiring,uninterested,uninvolved,unjoined,unmindful,unresponsive,unseconded,unsociable,unsocial,unsupported,unsympathetic,untenacious,up,upstairs,upward,upwards,withdrawn 703 - alpha particle,Kern,NMR,antibaryon,antilepton,antimeson,atomic nucleus,atomic particle,aurora particle,baryon,beta particle,electron,elementary particle,heavy particle,lepton,meson,mesotron,neutron,nuclear force,nuclear magnetic resonance,nuclear particle,nuclear resonance,nucleon,nucleosynthesis,nucleus,photon,proton,radioactive particle,radion,solar particle,strangeness,strong interaction,triton,valence electron 704 - alpha,A,beginning,blast-off,breaking-in,commencement,creation,cutting edge,dawn,dawning,edge,establishment,first,first blush,first glance,first impression,first inning,first lap,first move,first round,first sight,first stage,first step,flying start,foundation,fresh start,gambit,genesis,initial,initiative,institution,jump-off,kick-off,le premier pas,leading edge,new departure,oncoming,onset,opening,opening move,origin,origination,outbreak,outset,outstart,prime,primitiveness,primitivity,running start,send-off,setout,setting in motion,setting-up,square one,start,start-off,starting point,take-off,warming-up 705 - alphabet,IPA,ITA,Initial Teaching Alphabet,International Phonetic Alphabet,alphabetics,art,basics,beginning,blueprint,charactering,characterization,chart,choreography,commencement,conventional representation,dance notation,delineation,demonstration,depiction,depictment,diagram,drama,drawing,elements,exemplification,figuration,first principles,first steps,fundamentals,futhark,grammar,graphemics,hieroglyphic,hornbook,iconography,ideogram,illustration,imagery,imaging,induction,letter,letters,limning,logogram,logograph,map,musical notation,notation,outlines,outset,paleography,pictogram,picturization,plan,portraiture,portrayal,prefigurement,presentment,primer,principia,principles,printing,projection,realization,rendering,rendition,representation,rudiments,runic alphabet,schema,score,script,start,syllabary,symbol,tablature,writing,writing system 706 - alphabetarian,abecedarian,apprentice,articled clerk,beginner,boot,catechumen,debutant,entrant,fledgling,freshman,greenhorn,ignoramus,inductee,initiate,neophyte,new boy,newcomer,novice,novitiate,postulant,probationer,probationist,raw recruit,recruit,rookie,tenderfoot,tyro 707 - alphabetic,abecedarian,allographic,capital,graphemic,ideographic,lettered,lexigraphic,literal,logogrammatic,logographic,lower-case,majuscule,minuscular,minuscule,pictographic,transliterated,uncial,upper-case 708 - alphabetical,abecedarian,allographic,alphabetic,capital,graphemic,ideographic,lettered,lexigraphic,literal,logogrammatic,logographic,lower-case,majuscule,minuscular,minuscule,pictographic,transliterated,uncial,upper-case 709 - alphabetize,alphabet,analyze,arrange,assort,break down,capitalize,catalog,categorize,character,class,classify,codify,digest,divide,file,grade,group,index,initial,inscribe,letter,list,mark,order,pigeonhole,place,range,rank,rate,sign,sort,subdivide,tabulate,transcribe,transliterate,type 710 - already,as yet,before,before all,by this time,earlier,early,ere,ere then,erenow,erstwhile,even,formerly,heretofore,hereunto,hitherto,once,or ever,previously,priorly,so far,still,then as previously,theretofore,thus far,till now,to date,to this day,until now,until this time,up to now,yet 711 - alright,OK,Roger,absolute,absolutely,acceptable,accurate,adequate,admissible,agreeable,all right,alrighty,amen,as you say,assuredly,aye,better than nothing,by all means,certainly,correct,da,dead right,decent,doing nicely,exactly,fair,fairish,faultless,fine,flawless,good,good enough,goodish,hear,indeed,indeedy,ja,just,just right,just so,letter-perfect,mais oui,meticulous,moderate,most assuredly,naturally,naturellement,not amiss,not bad,not half bad,not so bad,of course,okay,oui,passable,perfect,positively,precisely,presentable,pretty good,proper,quite,rather,really,respectable,right,righto,satisfactory,straight,straight-up-and-down,sufficient,sure,sure thing,surely,tenable,tidy,to be sure,tolerable,truly,unailing,unexceptionable,unobjectionable,unsick,unsickly,up and about,very well,viable,well,well and good,why yes,workmanlike,yea,yeah,yep,yes,yes indeed,yes indeedy,yes sir,yes sirree 712 - also ran,aspirant,baby kisser,bankrupt,booby,candidate,dark horse,defeated candidate,defeatee,duck,dud,failure,fall guy,false alarm,favorite son,flop,game loser,good loser,good sport,hopeful,lame duck,loser,office seeker,political hopeful,presidential timber,running mate,sport,stalking-horse,stooge,the vanquished,underdog,victim,washout 713 - also,above,additionally,again,all included,along,altogether,among other things,and,and all,and also,and so,as well,au reste,beside,besides,beyond,correspondingly,else,en plus,extra,farther,for lagniappe,further,furthermore,in addition,in like manner,inter alia,into the bargain,item,likewise,more,moreover,on the side,on top of,over,plus,similarly,so,still,then,therewith,to boot,too,vet,yea,yet 714 - altar,Communion table,altar carpet,altar desk,altar facing,altar of prothesis,altar rail,altar side,altar slab,altar stair,altar stone,altarpiece,ancona,bomos,chancel table,credence,eschara,frontal,gradin,hestia,holy table,mensal,missal stand,predella,prothesis,retable,retablo,rood altar,scrobis,superaltar 715 - altarpiece,Communion table,abstract,abstraction,altar,altar carpet,altar desk,altar facing,altar of prothesis,altar rail,altar side,altar slab,altar stair,altar stone,ancona,block print,bomos,chancel table,collage,color print,copy,credence,cyclorama,daub,diptych,engraving,eschara,fresco,frontal,gradin,hestia,holy table,icon,illumination,illustration,image,likeness,mensal,miniature,missal stand,montage,mosaic,mural,panorama,photograph,picture,predella,print,prothesis,representation,reproduction,retable,retablo,rood altar,scrobis,stained glass window,stencil,still life,superaltar,tableau,tapestry,triptych,wall painting 716 - alter ego,I,I myself,acquaintance,advocate,ally,alter,alternate,alterum,amicus curiae,analogon,analogue,associate,attorney,backer,backup,backup man,best friend,better self,bosom friend,brother,casual acquaintance,champion,close acquaintance,close copy,close friend,close match,cognate,companion,complement,confidant,confidante,congenator,congener,coordinate,correlate,correlative,correspondent,counterpart,deputy,dummy,ego,equivalent,ethical self,executive officer,exponent,familiar,favorer,fellow,fellow creature,fellowman,fidus Achates,figurehead,friend,he,her,herself,him,himself,image,inner man,inner self,inseparable friend,intimate,it,kindred spirit,lieutenant,like,likeness,locum,locum tenens,lover,man Friday,mate,me,my humble self,myself,near duplicate,neighbor,number one,obverse,oneself,other self,ourselves,parallel,paranymph,partisan,pendant,pickup,picture,pinch hitter,pleader,procurator,proxy,reciprocal,repository,representative,right hand,right-hand man,second in command,second self,secondary,self,she,similitude,simulacrum,sister,soul mate,stand-in,strong right hand,subconscious self,subliminal self,substitute,such,suchlike,superego,supporter,surrogate,sympathizer,tally,the like of,the likes of,them,themselves,they,twin,understudy,utility man,vicar,vicar general,vice,vicegerent,well-wisher,you,yours truly,yourself,yourselves 717 - alter,abate,accommodate,adapt,adjust,adjust to,alter into,ameliorate,assuage,be changed,be converted into,be renewed,become,better,bottom out,box in,break,break up,castrate,change,change into,checker,chop,chop and change,circumscribe,come about,come around,come round,come round to,condition,convert,deform,degenerate,denature,deteriorate,deviate,diminish,diverge,diversify,emasculate,eunuchize,evolve into,fall into,fit,fix,flop,geld,haul around,hedge,hedge about,improve,jibe,lapse into,leaven,limit,meliorate,melt into,mitigate,moderate,modify,modulate,mutate,narrow,open into,overthrow,palliate,pass into,qualify,re-create,realign,rebuild,reconstruct,redesign,reduce,refit,reform,regulate by,remake,remodel,renew,reshape,restrain,restrict,restructure,revamp,revise,revive,ring the changes,ripen into,run into,season,set conditions,set limits,settle into,shift,shift into,shift the scene,shuffle the cards,soften,spay,subvert,swerve,tack,take a turn,temper,transform,turn,turn aside,turn into,turn the corner,turn the scale,turn the tables,turn the tide,turn to,turn upside down,undergo a change,unsex,vary,veer,warp,work a change,worsen 718 - alteration,about-face,accommodation,adaptation,adjustment,amelioration,analysis,anatomization,apostasy,atomization,betterment,break,change,change of heart,changeableness,changeover,constructive change,continuity,conversion,defection,degeneration,degenerative change,demarcation,desynonymization,deterioration,deviation,difference,differencing,differentiation,discontinuity,discrimination,disequalization,disjunction,distinction,distinguishment,divergence,diversification,diversion,diversity,division,fitting,flip-flop,fluctuation,gradual change,improvement,individualization,individuation,melioration,metamorphosis,mitigation,modification,modulation,mutation,overthrow,particularization,passage,personalization,qualification,radical change,re-creation,realignment,redesign,reform,reformation,remaking,renewal,reshaping,restructuring,reversal,revision,revival,revivification,revolution,segregation,separation,severalization,severance,shift,shilly-shally,specialization,sudden change,switch,total change,transformation,transit,transition,turn,turnabout,upheaval,vacillation,variation,variety,violent change,wavering,worsening 719 - altercation,Kilkenny cats,argument,bicker,bickering,blood feud,brawl,broil,cat-and-dog life,combat,conflict,contention,contentiousness,contest,contestation,controversy,cut and thrust,debate,disputation,dispute,donnybrook,donnybrook fair,embroilment,enmity,falling-out,feud,fight,fighting,fliting,fracas,fuss,hostility,imbroglio,litigation,logomachy,open quarrel,paper war,polemic,quarrel,quarreling,quarrelsomeness,scrapping,sharp words,slanging match,snarl,spat,squabble,squabbling,strife,struggle,tiff,tussle,vendetta,war,war of words,warfare,words,wrangle,wrangling 720 - alternate,advocate,agent,alter ego,alternating,alternative,amicus curiae,analogy,attorney,back and fill,back-and-forth,backup,backup man,bandy,battledore and shuttlecock,be here again,be quits with,beating,champion,change,changeling,circle,circling,come again,come and go,come around,come round,come round again,come up again,commute,comparison,compensate,complementary,cooperate,copy,corresponding,counterchange,counterfeit,cover,cycle,cyclic,deputy,dither,do a hitch,do a stint,do a tour,do time,double,dummy,ebb and flow,enlist,epochal,equal,equivalent,equivocate,ersatz,even,every other,exchange,exchangeable,executive officer,exponent,fake,figurehead,fill in for,fill-in,flounder,fluctuate,get back at,get even with,ghost,ghostwriter,give and take,go through phases,have a go,have tenure,hitch and hike,hold office,imitation,in rotation,interchange,interchangeable,intermit,intermittent,isochronal,isochronous,keep a watch,lieutenant,locum,locum tenens,logroll,makeshift,measured,metaphor,metonymy,metronomic,mock,next best thing,oscillate,oscillatory,other,paranymph,pass and repass,pay back,pendulate,periodic,periodical,permute,personnel,phony,pinch,pinch hitter,pleader,procurator,provisional,proxy,pulsate,pulse,pulsing,re-up,reappear,reciprocal,reciprocate,reciprocative,recur,recurrent,recurring,reenlist,relief,relieve,reoccur,repeat,replacement,replacing,representative,requite,reserve,reserves,respond,retaliate,return,return the compliment,revolve,rhythmic,ride and tie,ring the changes,ringer,roll around,rotary,rotate,rotating,seasonal,second,second in command,second string,secondary,seesaw,serial,serve time,shift,shilly-shally,shuffle,shuttle,shuttlecock,sign,sign up,sine wave,spare,spares,spell,spell off,stagger,stand-in,steady,stopgap,sub,substituent,substitute,substitution,succedaneum,succeed,successive,superseder,supplanter,surrogate,swap,sway,swing,switch,symbol,synecdoche,take turns,teeter,teeter-totter,temporary,tentative,tergiversate,third string,time off,to-and-fro,token,totter,trade,transpose,turn,understudy,undulant,undulate,undulatory,up-and-down,utility,utility man,utility player,vacillate,variant,vary,vicar,vicar general,vicarious,vice,vice-president,vice-regent,vicegerent,wavelike,waver,wax and wane,wheel,wheel around,wheeling,wibble-wabble,wigwag,wobble,zigzag 721 - alternating current,AC,DC,absorption current,active current,conduction current,convection current,cycle,delta current,dielectric displacement current,direct current,displacement current,eddy current,electric current,electric stream,emission current,exciting current,free alternating current,galvanic current,high-frequency current,idle current,induced current,induction current,ionization current,juice,low-frequency current,magnetizing current,multiphase current,pulsating direct current,reactive current,rotary current,single-phase alternating current,stray current,thermionic current,thermoelectric current,three-phase alternating current,voltaic current,watt current 722 - alternation,Lissajous figure,back-and-forth,battledore and shuttlecock,beat,chain,coaction,coming and going,commutation,complementary distribution,concurrence,consecution,cooperation,counterchange,cross fire,cyclicalness,ebb and flow,engagement,exchange,fluctuation,flux and reflux,give-and-take,interaction,interchange,intercommunication,intercourse,interlacing,intermeshing,intermittence,intermittency,intermutation,interplay,intertwining,interweaving,interworking,lex talionis,measure for measure,mesh,meshing,meter,mutual admiration,mutual support,mutual transfer,mutuality,order,oscillation,pendulation,pendulum motion,periodicalness,periodicity,permutation,piston motion,progression,pulsation,quid pro quo,reappearance,reciprocality,reciprocation,reciprocity,recurrence,regular wave motion,reoccurrence,repetition,retaliation,return,reversion,rhythm,rhythmic play,rotation,row,seasonality,seesaw,seesawing,sequel,sequence,series,shifting,shuffling,sine wave,something for something,succession,teeter,teeter-totter,teeter-tottering,teetering,tit for tat,to-and-fro,tottering,train,transposal,transposition,undulation,ups and downs,vacillation,variation,vicissitude,wavering,wigwag 723 - alternative,additional,agent,alternate,alternate choice,analogy,another,attainable,backup,change,changeling,choice,comparison,contingency,copy,counterfeit,deputy,different,discretion,discretional,disjunctive,double,druthers,dummy,election,elective,equal,equivalent,ersatz,escape clause,escape hatch,exchange,exchangeable,fake,fill-in,ghost,ghostwriter,imitation,interchangeable,locum tenens,loophole,makeshift,metaphor,metonymy,mock,next best thing,option,optional,optionality,personnel,phony,pinch,pinch hitter,pleasure,possibility,possible choice,preference,pretext,provisional,proxy,relief,replacement,replacing,representative,reserve,reserves,ringer,saving clause,second string,secondary,selection,sign,spare,spares,stand-in,stopgap,sub,substituent,substitute,substitution,succedaneum,superseder,supplanter,surrogate,symbol,synecdoche,temporary,tentative,third string,token,understudy,utility,utility player,variant,vicar,vicarious,vice-president,vice-regent,volitional,voluntary,way of escape,way out,will and pleasure 724 - althorn,alpenhorn,alphorn,alto horn,ballad horn,baritone,bass horn,brass choir,brass wind,brass-wind instrument,brasses,bugle,bugle horn,clarion,cornet,cornet-a-pistons,corno di caccia,cornopean,double-bell euphonium,euphonium,helicon,horn,hunting horn,key trumpet,lituus,lur,mellophone,ophicleide,orchestral horn,pocket trumpet,post horn,sackbut,saxhorn,saxtuba,serpent,slide trombone,sliphorn,sousaphone,tenor tuba,tromba,trombone,trumpet,tuba,valve trombone,valve trumpet 725 - although,after all,again,albeit,all the same,at all events,at any rate,but,even,even so,for all that,howbeit,however,in any case,in any event,just the same,nevertheless,nonetheless,notwithstanding,rather,still,though,when,whereas,while,yet 726 - altimetry,altimeter,bathymetry,biometrics,biometry,cadastration,cartography,chorography,craniometry,geodesy,geodetics,goniometry,hypsography,hypsometer,hypsometry,mensuration,metrology,oceanography,planimetry,psychometrics,psychometry,stereometry,surveying,topography 727 - altitude,Cartesian coordinates,abscissa,apex,azimuth,ceiling,clearance,coordinates,cylindrical coordinates,declination,elevation,eminence,equator coordinates,exaltation,hauteur,height,heighth,highness,latitude,loftiness,longitude,ordinate,peak,perpendicular distance,polar coordinates,prominence,right ascension,stature,sublimity,summit,tallness,toploftiness 728 - alto,Heldentenor,Meistersinger,accompaniment,aria singer,baritenor,baritone,bass,basso,basso buffo,basso cantante,basso continuo,basso ostinato,basso profundo,bassus,blues singer,canary,cantatrice,canto,cantor,cantus,cantus figuratus,cantus planus,caroler,chanter,chantress,coloratura soprano,comic bass,continuo,contralto,countertenor,crooner,deep bass,descant,diva,dramatic soprano,drone,falsetto,figured bass,ground bass,head register,head tone,head voice,heroic tenor,hymner,improvisator,lead singer,lieder singer,line,male alto,melodist,mezzo-soprano,opera singer,part,plain chant,plain song,prick song,prima donna,psalm singer,rock-and-roll singer,singer,singstress,songbird,songster,songstress,soprano,tenor,thorough bass,torch singer,treble,undersong,vocalist,vocalizer,voice,voice part,warbler,yodeler 729 - altogether,above,absolutely,across the board,additionally,again,all,all in all,all included,all put together,all things considered,all told,also,among other things,and all,and also,and so,as a body,as a rule,as a whole,as an approximation,as well,at large,au reste,bareness,beside,besides,beyond,birthday suit,bodily,broadly,broadly speaking,by and large,chiefly,collectively,commonly,completely,comprehensively,corporately,decollete,ecdysiast,else,en bloc,en masse,en plus,entirely,exactly,exhaustively,extra,farther,for lagniappe,fully,further,furthermore,generally,generally speaking,globally,gymnosophist,gymnosophy,hundred per cent,in a body,in addition,in all,in all respects,in bulk,in full,in full measure,in general,in its entirety,in the aggregate,in the gross,in the lump,in the main,in the mass,in toto,inclusively,inside out,integrally,inter alia,into the bargain,item,just,largely,likewise,mainly,more,moreover,mostly,nakedness,naturism,naturist,normally,not a stitch,nudism,nudist,nudity,on all counts,on balance,on the side,on the whole,on top of,one and all,ordinarily,outright,over,overall,perfectly,plumb,plus,predominantly,prevailingly,quite,right,roughly,roughly speaking,roundly,routinely,similarly,speaking generally,state of nature,stick,stripper,stripteaser,the altogether,the nude,the raw,then,therewith,thoroughly,to boot,to the hilt,too,toplessness,totally,tout a fait,tout ensemble,unconditionally,unreservedly,usually,utterly,wholly,yet 730 - altruism,BOMFOG,Benthamism,Christian charity,Christian love,agape,beneficence,benevolence,benevolent disposition,benevolentness,bigheartedness,brotherly love,caritas,charitableness,charity,commitment,consecration,dedication,devotion,disinterest,disinterestedness,do-goodism,flower power,generosity,giving,goodwill,grace,greatheartedness,humaneness,humanitarianism,humanity,humility,largeheartedness,love,love of mankind,modesty,philanthropism,philanthropy,sacrifice,self-abasement,self-abnegation,self-denial,self-devotion,self-effacement,self-forgetfulness,self-immolation,self-neglect,self-neglectfulness,self-renouncement,self-sacrifice,self-subjection,selflessness,unacquisitiveness,unpossessiveness,unselfishness,utilitarianism,welfarism,well-disposedness 731 - altruistic,almsgiving,beneficent,benevolent,bighearted,bounteous,bountiful,charitable,committed,consecrated,considerate,dedicated,devoted,disinterested,eleemosynary,freehearted,generous,good,greathearted,humane,humanitarian,humble,kind,largehearted,liberal,magnanimous,modest,noble-minded,open-handed,philanthropic,sacrificing,self-abasing,self-abnegating,self-abnegatory,self-denying,self-devoted,self-effacing,self-forgetful,self-immolating,self-neglectful,self-neglecting,self-renouncing,self-sacrificing,self-unconscious,selfless,unacquisitive,unpossessive,unpretentious,unselfish,unsparing of self,welfare,welfare statist,welfarist 732 - alveolar,accented,alveolate,apical,apico-alveolar,apico-dental,articulated,assimilated,back,barytone,bilabial,broad,cacuminal,central,cerebral,checked,close,consonant,consonantal,continuant,dental,dented,depressed,dimpled,dissimilated,dorsal,engraved,faveolate,flat,front,glide,glossal,glottal,guttural,hard,heavy,high,honeycombed,indented,intonated,labial,labiodental,labiovelar,lateral,lax,light,lingual,liquid,low,mid,monophthongal,muted,narrow,nasal,nasalized,notched,occlusive,open,oxytone,palatal,palatalized,pharyngeal,pharyngealized,phonemic,phonetic,phonic,pitch,pitched,pitted,pocked,pockmarked,posttonic,retroflex,rounded,semivowel,soft,sonant,stopped,stressed,strong,surd,syllabic,tense,thick,throaty,tonal,tonic,twangy,unaccented,unrounded,unstressed,velar,vocalic,vocoid,voiced,voiceless,vowel,vowellike,weak,wide 733 - alveolus,alveolar ridge,alveolation,antrum,apex,armpit,arytenoid cartilages,back,basin,blade,bowl,cavity,concave,concavity,crater,crypt,cup,dent,depression,dimple,dint,dip,dorsum,fold,follicle,funnel chest,furrow,gouge,hard palate,hole,hollow,hollow shell,honeycomb,impress,impression,imprint,indent,indentation,indention,indenture,lacuna,larynx,lips,nasal cavity,notch,oral cavity,palate,pharyngeal cavity,pharynx,pit,pock,pocket,pockmark,print,punch bowl,scoop,shell,sink,sinus,socket,soft palate,speech organ,sunken part,syrinx,teeth,teeth ridge,tip,tongue,trough,velum,vocal chink,vocal cords,vocal folds,vocal processes,voice box,vug 734 - always,abidingly,again and again,all along,all over,all the time,all the while,at all times,at every turn,ceaselessly,changelessly,constantly,continually,continuously,cosmically,daily,daily and hourly,day after day,day and night,enduringly,eternally,ever,ever and always,ever and anon,everlastingly,evermore,every day,every hour,every moment,everywhere,forever,forevermore,frequently,galactically,hour after hour,hourly,in any case,in every instance,in perpetuity,incessantly,inflexibly,internationally,invariably,lastingly,like clockwork,many times,methodically,month after month,never otherwise,night and day,often,on and on,orderly,perennially,permanently,perpetually,rapidly,regularly,right along,rigidly,statically,steadfastly,steadily,sustainedly,systematically,the world over,unceasingly,unchangingly,unendingly,unintermittently,uninterruptedly,universally,unvaryingly,unwaveringly,usually,without cease,without exception,without letup,without stopping,year after year 735 - AM,Ack Emma,FM,PM,amplitude modulation,ante meridiem,double sideband,foreday,forenoon,grey-eyed morn,incense-breathing morn,matins,modulation,morn,morning,morning time,morntime,side frequency,sideband,this AM,this morning,waking time 736 - amah,abigail,au pair girl,ayah,betweenmaid,biddy,chambermaid,chaperon,companion,cook,dry nurse,duenna,femme de chambre,fille de chambre,gentlewoman,girl,handmaid,handmaiden,hired girl,housemaid,kitchenmaid,lady-help,lady-in-waiting,live-in maid,live-out maid,maid,maidservant,mammy,nanny,nurse,nursemaid,nurserymaid,parlormaid,scullery maid,servant girl,servitress,sitter,soubrette,tweeny,upstairs maid,waiting maid,wench,wet nurse 737 - amalgam,admixture,alloy,alloyage,amalgamation,blend,combination,combo,commixture,composite,composition,compound,concoction,confection,ensemble,fusion,immixture,interfusion,intermixture,magma,mix,mixture,paste 738 - amalgamate,act in concert,act together,add,admix,affiliate,alloy,ally,assimilate,associate,band,band together,be in league,bemingle,blend,club together,coact,coalesce,collaborate,collude,combine,come together,commingle,commix,compact,compose,compound,comprise,concert,concoct,concord,concur,confederate,conglomerate,connect,consolidate,conspire,cooperate,do business with,embody,emulsify,encompass,federate,flux,fuse,get heads together,get together,go partners,hang together,harmonize,hash,hold together,homogenize,hook up,immingle,immix,include,incorporate,integrate,interblend,interfuse,interlace,interlard,intermingle,intermix,intertwine,interweave,join,join in,join together,jumble,keep together,knead,league,league together,lump together,make common cause,make one,meld,melt into one,merge,mingle,mingle-mangle,mix,mix up,partner,play ball,pull together,put heads together,put together,reciprocate,reembody,roll into one,scramble,shade into,shuffle,solidify,stand together,stir up,syncretize,syndicate,synthesize,team up,throw in together,throw together,tie in,tie up,toss together,unify,unite,unite efforts,work,work together 739 - amalgamation,Anschluss,addition,admixture,affiliation,agglomeration,aggregation,agreement,alignment,alliance,alloy,alloyage,amalgam,assimilation,association,blend,blending,cabal,cahoots,cartel,centralization,coadunation,coalescence,coalescing,coalition,colleagueship,collegialism,collegiality,combination,combine,combo,comminglement,commingling,commixture,composite,composition,compost,compound,comradeship,confederacy,confederation,confraternity,congeries,conglomeration,conjugation,conjunction,consolidating,consolidation,conspiracy,copartnership,copartnery,eclecticism,ecumenism,embodiment,encompassment,enosis,federalization,federation,fellowship,fraternalism,fraternity,fraternization,freemasonry,fusing,fusion,hookup,immixture,inclusion,incorporation,integration,interfusion,interlarding,interlardment,interminglement,intermingling,intermixture,joining,junction,junta,league,marriage,meld,melding,merger,mingling,mixing,mixture,package,package deal,partnership,pluralism,sodality,solidification,sorority,syncretism,syndication,syneresis,synthesis,tie-in,tie-up,unification,union,uniting,wedding 740 - amanuensis,Federal,accountant,agent,archivist,baggage agent,bookkeeper,business agent,calligrapher,chirographer,claim agent,clerk,commercial agent,commission agent,consignee,copier,copyist,customer agent,documentalist,dupe,engraver,factor,fed,federal agent,filing clerk,freight agent,functionary,general agent,implement,ink spiller,inkslinger,instrument,insurance agent,land agent,law agent,letterer,librarian,literary agent,loan agent,marker,news agent,notary,notary public,official,parliamentary agent,passenger agent,pen,pencil driver,penman,penner,press agent,prothonotary,puppet,purchasing agent,real estate agent,record clerk,recorder,recording secretary,recordist,register,registrar,sales agent,scorekeeper,scorer,scribbler,scribe,scrivener,secretary,special agent,station agent,stenographer,steward,stonecutter,theatrical agent,ticket agent,timekeeper,tool,transcriber,travel agent,walking delegate,word-slinger,writer 741 - amass,accouple,accumulate,agglomerate,agglutinate,aggregate,aggroup,articulate,assemble,associate,backlog,band,batch,bond,bracket,bridge,bridge over,bring together,bulk,bunch,bunch together,bunch up,cement,chain,clap together,clump,cluster,collect,colligate,collocate,combine,compare,compile,comprise,concatenate,conglobulate,conglomerate,conjoin,conjugate,connect,copulate,corral,couple,cover,cull,cumulate,dig up,draw together,dredge up,drive together,embrace,encompass,garner,garner up,gather,gather in,gather into barns,gather together,get in,get together,glean,glue,group,grub,grub up,heap up,hide,hive,hoard,hoard up,hold,include,join,juxtapose,keep,knot,lay together,lay up,league,link,lump together,make up,marry,marshal,mass,match,merge,mobilize,muster,pair,partner,pick,pick up,piece together,pile up,pluck,put together,put up,raise,rake up,rally,roll into one,roll up,round up,save,save up,scare up,scrape together,scrape up,secrete,set aside,solder,span,splice,squirrel,squirrel away,stock up,stockpile,store up,take in,take up,tape,tie,treasure,treasure up,unify,unite,weld,whip in,yoke 742 - amassed,accumulated,agglomerate,aggregate,assembled,backlogged,bunched,bundled,clumped,clustered,collected,combined,conglomerate,congregate,congregated,cumulate,fascicled,fasciculated,garnered,gathered,glomerate,heaped,hoarded,in session,joined,joint,knotted,laid up,leagued,lumped,massed,meeting,packaged,piled,stacked,stockpiled,stored,treasured,wrapped up 743 - amateur,Sunday painter,abecedarian,admirer,aesthete,aficionado,amateurish,apprentice,arbiter,arbiter elegantiarum,arbiter of taste,authority,avocational,beginner,bon vivant,booster,buff,bungler,bungling,clumsy,cognoscente,collector,connaisseur,connoisseur,coquet,crank,critic,criticaster,crude,dabbler,dabbling,dabster,dallier,devotee,dilettante,dilettantish,enthusiast,epicure,epicurean,expert,faddist,fan,fancier,flirt,follower,freak,fribble,good judge,gourmand,gourmet,grammaticaster,greenhorn,groupie,half scholar,half-assed,half-baked,half-cocked,idolater,idolizer,immature,inexpert,infatuate,inferior,judge,lay,layman,maven,mediocre,neophyte,nonprofessional,novice,nut,philologaster,philosophaster,piddler,potterer,probationer,pundit,putterer,refined palate,rooter,savant,scholar,sciolist,sciolistic,second-rate,shallow,smatterer,smattering,sophomoric,specialist,superficial,technical expert,technician,tinker,trifler,tyro,unpaid,unprofessional,unskilled,untrained,virtuoso,votary,worshiper,zealot 744 - amateurish,amateur,clumsy,crude,dabbling,defective,deficient,dilettante,dilettantish,faulty,flawed,green,half-assed,half-baked,half-cocked,immature,jackleg,raw,sciolistic,semiskilled,shallow,smattering,sophomoric,superficial,unaccomplished,unbusinesslike,uncoached,unendowed,unfinished,ungifted,uninitiated,unpolished,unprepared,unprimed,unprofessional,unschooled,unskilled,untalented,untaught,untrained,untutored 745 - Amati,A string,Cremona,D string,E string,G string,Strad,Stradivari,Stradivarius,bass,bass viol,bow,bridge,bull fiddle,cello,contrabass,crowd,double bass,fiddle,fiddlebow,fiddlestick,fingerboard,kit,kit fiddle,kit violin,scroll,soundboard,string,tenor violin,tuning peg,viola,violin,violinette,violoncello,violoncello piccolo,violone,violotta 746 - amatory,admiring,amative,amorous,aphrodisiac,ardent,attracted,caressive,coquettish,coy,desirous,erotic,flirtatious,flirty,impassioned,lascivious,loverlike,loverly,passionate,sexual,yearning 747 - amaze,addle,admiration,affect,amazement,astonish,astound,awe,awestrike,baffle,bamboozle,beat,bedaze,bedazzle,bewilder,boggle,bowl down,bowl over,buffalo,confound,confoundment,daze,dazzle,dumbfound,dumbfounder,flabbergast,floor,fuddle,get,impress,keep in suspense,lick,marveling,maze,move,muddle,mystify,nonplus,overwhelm,paralyze,perplex,petrify,puzzle,stagger,startle,stick,strike,strike dead,strike dumb,strike with wonder,stump,stun,stupefy,surprise,take aback,throw,touch,wonderment 748 - amazed,agape,aghast,agog,all agog,astonished,astounded,at gaze,awed,awestruck,beguiled,bewildered,bewitched,breathless,captivated,confounded,dumbfounded,dumbstruck,enchanted,enraptured,enravished,enthralled,entranced,fascinated,flabbergasted,gaping,gauping,gazing,hypnotized,in awe,in awe of,lost in wonder,marveling,mesmerized,open-eyed,openmouthed,overwhelmed,popeyed,puzzled,rapt in wonder,spellbound,staggered,staring,stupefied,surprised,thunderstruck,under a charm,wide-eyed,wonder-struck,wondering 749 - amazement,admiration,amaze,astonishing thing,astonishment,astoundment,awe,beguilement,bewilderment,breathless wonder,confoundment,curiosity,dumbfoundment,exception,fascination,gazingstock,marvel,marveling,marvelment,miracle,nonesuch,phenomenon,prodigy,puzzlement,quite a thing,rarity,sensation,sense of mystery,sense of wonder,sight,something else,spectacle,stunner,stupefaction,surprise,wonder,wonderful thing,wonderment 750 - amazing,astonishing,astounding,awesome,breathtaking,confounding,dazzling,extraordinary,eye-opening,fabulous,mind-boggling,miraculous,overwhelming,prodigious,remarkable,spectacular,staggering,startling,strange,stunning,stupendous,surprising,wonderful,wondrous 751 - amazon,Xanthippe,androgyne,butch,colossus,dyke,fishwife,giant,harpy,hoyden,lesbian,ogress,romp,scold,shrew,termagant,titan,tomboy,virago,vixen 752 - ambages,anfractuosity,bypass,circuit,circuitousness,circumambages,circumbendibus,circumlocution,circumvolution,convolution,crinkle,crinkling,detour,deviation,deviousness,digression,excursion,flexuosity,flexuousness,indirection,intorsion,involution,meander,meandering,obliqueness,periphrase,periphrasis,rivulation,roundabout,roundabout way,roundaboutness,sinuation,sinuosity,sinuousness,slinkiness,snakiness,torsion,tortility,tortuosity,tortuousness,turning,twisting,undulation,wave,waving,winding 753 - ambassador,agent,ambassadress,apostolic delegate,attache,career diplomat,chancellor,charge,commercial attache,consul,consul general,consular agent,delegate,deputy,diplomat,diplomatic,diplomatic agent,diplomatist,emissary,envoy,envoy extraordinary,foreign service officer,internuncio,legate,messenger,military attache,minister,minister plenipotentiary,minister resident,nuncio,plenipotentiary,representative,resident,secretary of legation,vice-consul,vice-legate 754 - ambergris,ambrosia,aromatic,aromatic gum,aromatic water,attar,attar of roses,balm,balm of Gilead,balsam,bay oil,bergamot oil,champaca oil,civet,essence,essential oil,extract,fixative,heliotrope,jasmine oil,lavender oil,musk,myrcia oil,myrrh,parfum,perfume,perfumery,rose oil,scent,volatile oil 755 - ambidextrous,Janus-like,Machiavellian,adaptable,adjustable,all-around,ambidexter,ambidextral,amphibious,artful,bifacial,bifold,biform,bilateral,binary,binate,biparous,bivalent,conduplicate,crafty,crooked,cunning,deceitful,dextrosinistral,dishonest,disomatous,double,double-dealing,double-faced,double-minded,double-tongued,doublehearted,dual,duple,duplex,duplicate,duplicitous,faithless,false,false-principled,falsehearted,flexible,geminate,geminated,generally capable,hypocritical,left-handed,many-sided,mobile,perfidious,resourceful,second,secondary,shifty,sinistrodextral,slippery,supple,treacherous,tricky,twin,twinned,two-faced,two-handed,two-level,two-ply,two-sided,two-story,twofold,versatile 756 - ambience,alentours,ambient,ambit,atmosphere,borderlands,circle,circuit,circumambiencies,circumjacencies,circumstances,climate,compass,context,entourage,environing circumstances,environment,environs,gestalt,habitat,medium,milieu,mise-en-scene,neighborhood,outposts,outskirts,perimeter,periphery,precincts,purlieus,situation,suburbs,surroundings,total environment,vicinage,vicinity 757 - ambient,ambience,atmosphere,circling,circumambient,circumferential,circumflex,circumfluent,circumfluous,circumjacent,climate,embracing,encircling,enclosing,encompassing,enfolding,enveloping,environing,medium,milieu,mise-en-scene,neighboring,peripheral,roundabout,suburban,surrounding,surroundings,wrapping 758 - ambiguity,Janus,ambivalence,amphibologism,amphibology,amphiboly,antinomy,asymmetry,biformity,bifurcation,cavil,conjugation,counterword,dichotomy,disproportion,disproportionateness,dodge,double entendre,double meaning,double-talk,doubleness,doublethink,doubling,dualism,duality,duplexity,duplication,duplicity,equivocacy,equivocal,equivocality,equivocalness,equivocation,equivoque,evasion,haggling,hair-splitting,halving,hedge,heresy,heterodoxy,heterogeneity,impenetrability,imprecision,inapprehensibility,inarticulateness,incognizability,incoherence,incommensurability,incompatibility,incomprehensibility,inconclusiveness,incongruity,inconsistency,inconsonance,indefiniteness,indistinctness,inscrutability,irony,irreconcilability,nonconformability,nonconformity,numinousness,obscurity,oxymoron,pairing,paradox,polarity,polysemant,polysemousness,portmanteau word,pun,quibbling,ramblingness,self-contradiction,shift,squinting construction,subterfuge,tergiversation,twinning,two-facedness,twoness,uncertainty,unconformability,unconformity,unconnectedness,unfathomableness,unintelligibility,unknowability,unorthodoxy,unsearchableness,vagueness,weasel word 759 - ambiguous,Greek to one,agnostic,amalgamated,ambivalent,amphibious,amphibolic,amphibological,amphibolous,antinomic,beyond understanding,blended,capricious,chancy,changeable,combined,complex,composite,compound,compounded,confusable,conglomerate,cryptic,dappled,dicey,double-faced,doubtful,doubting,dubious,eclectic,enigmatic,enigmatical,equivocal,equivocatory,erratic,fickle,fifty-fifty,fishy,foggy,half-and-half,hesitant,hesitating,heterogeneous,impenetrable,inarticulate,incalculable,incognizable,incoherent,incomprehensible,inconclusive,indecisive,indefinite,indemonstrable,indeterminate,indiscriminate,indistinct,inscrutable,intricate,ironic,irresolute,jumbled,many-sided,medley,mingled,miscellaneous,misleading,misty,mixed,motley,multifaceted,multinational,multiracial,multivocal,mysterious,numinous,obscure,opaque,oracular,oxymoronic,paradoxical,past comprehension,patchy,pluralistic,polysemantic,polysemous,problematic,promiscuous,puzzling,questionable,rambling,scrambled,self-contradictory,skeptical,suspect,syncretic,tenebrous,thrown together,touch-and-go,unaccountable,uncertain,unclear,unconfirmable,unconnected,unconvinced,undefined,undependable,undivinable,unfathomable,unforeseeable,unintelligible,unknowable,unpersuaded,unpredictable,unprovable,unreliable,unsearchable,unsettled,unsure,unverifiable,vague,variable,varied,wavering,whimsical 760 - ambit,alentours,ambience,arena,bailiwick,beat,border,borderland,borderlands,circle,circuit,circumambiencies,circumjacencies,circumstances,compass,constituency,context,cycle,demesne,department,domain,dominion,entourage,environing circumstances,environment,environs,extension,extent,field,footing,full circle,gestalt,habitat,hemisphere,judicial circuit,jurisdiction,lap,loop,march,milieu,neighborhood,orb,orbit,outposts,outskirts,pale,perimeter,periphery,precinct,precincts,province,purlieus,purview,radius,reach,realm,revolution,round,round trip,rounds,scope,situation,sphere,sphere of influence,stamping ground,suburbs,surroundings,sweep,territory,total environment,tour,turf,turn,vantage,vicinage,vicinity,walk 761 - ambition,aim,ambitiousness,animus,anxiety,appetite,aspiration,avidity,basis,calling,careerism,catch,cause,climbing,consideration,counsel,craving,dearest wish,desideration,desideratum,design,desire,determination,dream,drive,eagerness,effect,energy,enterprise,enthusiasm,fancy,fixed purpose,forbidden fruit,function,get-up-and-go,glimmering goal,go-ahead,goad,goal,golden vision,ground,guiding light,guiding star,hope,hunger,idea,ideal,incentive,initiative,inspiration,intendment,intent,intention,keenness,lodestar,lodestone,lofty ambition,magnanimity,magnet,mainspring,mark,matter,meaning,mind,motive,nirvana,nisus,object,objective,plan,plum,point,power-hunger,pretension,principle,prize,project,proposal,prospectus,purpose,push,reason,resolution,resolve,sake,score,social climbing,source,spirit,spring,spur,status-seeking,striving,study,target,temptation,thirst,trophy,ulterior motive,vaulting ambition,view,vigor,vocation,will,wish,zeal 762 - ambitious,adventuresome,adventurous,aggressive,anxious,aspiring,audacious,avaricious,avid,bold,careerist,careeristic,chimerical,classy,daring,driving,dynamic,eager,emulous,energetic,enterprising,enthusiastic,extravagant,fancy,flossy,forceful,go-ahead,grandiose,greedy,hard-working,high-flown,high-flying,high-reaching,high-toned,highfalutin,highfaluting,hopeful,hustling,impractical,indefatigable,keen,lofty,on the make,ostentatious,overambitious,overzealous,power-hungry,pretentious,pushful,pushing,pushy,sky-aspiring,social-climbing,tony,unrealistic,up-and-coming,utopian,vaulting,vaunting,venturesome,venturous,vigorous,visionary,yuppy,zealous 763 - ambivalence,Janus,ambiguity,ambitendency,ambivalence of impulse,antinomy,asymmetry,biformity,bifurcation,capriciousness,change of mind,changeableness,conflict,conjugation,decompensation,dichotomy,disproportion,disproportionateness,double-mindedness,doubleness,doublethink,doubling,dualism,duality,dubiety,dubiousness,duplexity,duplication,duplicity,emotional shock,equivocality,equivocation,external frustration,fence-sitting,fence-straddling,fickleness,frustration,halving,heresy,heterodoxy,heterogeneity,incoherence,incommensurability,incompatibility,incongruity,inconsistency,inconsonance,inconstancy,indecision,indecisiveness,infirmity of purpose,instability,irony,irreconcilability,irresolution,mental shock,mercuriality,mugwumpery,mugwumpism,nonconformability,nonconformity,oxymoron,pairing,paradox,polarity,psychological stress,second thoughts,self-contradiction,stress,tergiversation,trauma,traumatism,twinning,two-facedness,twoness,uncertainty,unconformability,unconformity,undecidedness,undeterminedness,unorthodoxy,unsettledness,unsettlement 764 - ambivalent,amalgamated,ambiguous,ambitendent,amphibious,antinomic,at loose ends,blended,capricious,changeable,combined,complex,composite,compound,compounded,conflict,conglomerate,contrasting,dappled,double-minded,dubious,eclectic,equivocal,fence-sitting,fence-straddling,fickle,fifty-fifty,fluctuate,half-and-half,heterogeneous,indecisive,indiscriminate,infirm of purpose,intricate,ironic,irresolute,irresolved,jumbled,many-sided,medley,mercurial,mingled,miscellaneous,mixed,motley,mugwumpian,mugwumpish,multifaceted,multinational,multiracial,mutable,of two minds,oxymoronic,paradoxical,patchy,pluralistic,promiscuous,scrambled,self-contradictory,syncretic,thrown together,uncertain,undecided,undetermined,unresolved,unsettled,varied 765 - amble,airing,barge,bowl along,bundle,canter,caracole,claudicate,clump,constitutional,crawl,creep,curvet,dally,dillydally,dogtrot,drag,drag along,drag out,drift,droop,flounce,foot,footslog,forced march,frisk,gait,gallop,go dead slow,go on horseback,go slow,hack,halt,hike,hippety-hop,hitch,hobble,hop,idle,inch,inch along,jaunt,jog,jog-trot,jolt,jump,laze,limp,linger,lock step,loiter,lope,lumber,lunge,lurch,march,mince,mincing steps,mope,mosey,mount,muck,mush,pace,paddle,parade,peg,peripatetic journey,peripateticism,piaffe,piaffer,plod,poke,poke along,prance,promenade,rack,ramble,ride bareback,ride hard,roll,sashay,saunter,schlep,scuff,scuffle,scuttle,shamble,shuffle,shuffle along,sidle,single-foot,skip,slink,slither,slog,slouch,slowness,stagger,stagger along,stalk,stamp,step,stomp,straddle,straggle,stretch,stride,stroll,strolling gait,strut,stump,swagger,swing,take horse,tittup,toddle,toddle along,totter,totter along,traipse,tramp,tread,trip,trot,trudge,turn,velocity,waddle,walk,walking tour,wamble,wiggle,wobble,worm,worm along 766 - ambling,ambulation,backpacking,cautious,circumspect,claudicant,crawling,creeping,creeping like snail,deliberate,easy,faltering,flagging,foot-dragging,footing,footing it,footwork,gentle,going on foot,gradual,halting,hiking,hitchhiking,hitching,hobbled,hobbling,hoofing,idle,indolent,languid,languorous,lazy,legwork,leisurely,limping,lumbering,marching,moderate,pedestrianism,perambulation,poking,poky,relaxed,reluctant,sauntering,shuffling,slack,slothful,slow,slow as death,slow as molasses,slow as slow,slow-crawling,slow-foot,slow-going,slow-legged,slow-moving,slow-paced,slow-poky,slow-running,slow-sailing,slow-stepped,sluggish,snail-paced,snaillike,staggering,strolling,tentative,thumbing,thumbing a ride,toddling,tortoiselike,tottering,tramping,treading,trudging,turtlelike,unhurried,waddling,walking 767 - ambrosia,Caesar salad,Jell-O salad,Waldorf salad,ambergris,aromatic,aromatic gum,aromatic water,artificial sweetener,aspic,attar,attar of roses,balm,balm of Gilead,balsam,bay oil,bergamot oil,blackstrap,bonne bouche,calcium cyclamate,cane syrup,cate,champaca oil,chef salad,choice morsel,civet,clover honey,cole slaw,comb honey,combination salad,corn syrup,crab Louis,cyclamates,dainty,delicacy,dessert,edulcoration,essence,essential oil,extract,fixative,fruit salad,goody,green salad,heliotrope,herring salad,honey,honeycomb,honeydew,honeypot,jasmine oil,kickshaw,lavender oil,macaroni salad,manna,maple syrup,molasses,morsel,musk,myrcia oil,myrrh,nectar,parfum,perfume,perfumery,potato salad,rose oil,saccharification,saccharin,salad,salade,salmagundi,savory,scent,slaw,sodium cyclamate,sorghum,sugar,sugar-making,sugaring off,sweetener,sweetening,sweets,syrup,tidbit,titbit,tossed salad,treacle,treat,volatile oil 768 - ambrosial,adorable,agreeable,aromatic,balmy,bittersweet,candied,dainty,darling,delectable,delicate,delicious,delightful,essenced,exquisite,flowery,fragrant,fruity,good,good to eat,good-tasting,gustable,gusty,heavenly,honeyed,honeysweet,incense-breathing,juicy,likable,luscious,lush,melliferous,mellifluent,mellifluous,musky,nectareous,nectarous,nice,odorate,odoriferous,odorous,of gourmet quality,palatable,perfumed,perfumy,pleasing,redolent,sacchariferous,sapid,savorous,savory,scented,scrumptious,sour-sweet,spicy,succulent,sugarcoated,sugared,sugarsweet,sugary,sweet,sweet and pungent,sweet and sour,sweet as sugar,sweet-scented,sweet-smelling,sweetened,sweetish,syrupy,tasty,thuriferous,toothsome,yummy 769 - ambulatory,access,aisle,alley,ambulant,ambulative,aperture,arcade,artery,avenue,channel,circuit-riding,cloister,colonnade,communication,conduit,connection,corridor,covered way,defile,exit,expeditionary,ferry,ford,gallery,globe-girdling,globe-trotting,going,inlet,interchange,intersection,itinerant,itinerary,journeying,junction,lane,locomotive,moving,mundivagant,nomadic,on tour,opening,outlet,overpass,pass,passage,passageway,passing,pedestrian,perambulating,perambulatory,peregrinative,peregrine,peripatetic,pilgrimlike,portico,progressing,railroad tunnel,roving,strolling,touring,touristic,touristy,traject,trajet,traveling,trekking,tunnel,underpass,vagabond,vagrant,walking,wayfaring 770 - ambush,ambuscade,ambushment,assail,assault,astonish,attack,blind,blitz,booby trap,bushwhack,catch off-guard,catch unawares,come at,come down on,come from behind,come upon unexpectedly,cover,crack down on,descend on,descend upon,do the unexpected,drop in on,ensnare,entrap,fall on,fall upon,gang up on,go at,go for,harry,have at,hideout,hit,hit like lightning,intercept,jump,land on,lay at,lay for,lay hands on,lay into,lay wait for,lie in ambush,lie in wait,light into,lure,lurk,lurking hole,mug,pitch into,pounce upon,pound,pull up short,retreat,sail into,set on,set upon,shadowing,snare,spring a surprise,spring upon,stalking-horse,strike,surprise,surveillance,swoop down on,take by surprise,take short,take the offensive,take unawares,trap,wade into,waylay 771 - amebic,Euglena,adenovirus,aerobe,aerobic bacteria,amoeba,anaerobe,anaerobic bacteria,animalcule,bacillus,bacteria,bacterium,bug,coccus,colon bacillus,diatom,disease-producing microorganism,dyad,echovirus,enterovirus,filterable virus,flagellate,fungus,germ,gram-negative bacteria,gram-positive bacteria,microbe,microorganism,microspore,microzoa,mold,monad,nematode,nonfilterable virus,paramecium,pathogen,picornavirus,protozoa,protozoon,reovirus,rhinovirus,rickettsia,salmonella,saprophyte,spirillum,spirochete,spore,sporozoon,staphylococcus,streptococcus,tetrad,triad,trypanosome,vibrio,virus,volvox,vorticellum,zoospore 772 - ameliorate,accommodate,acculturate,adapt,adjust,advance,alleviate,alter,amend,be changed,be converted into,be renewed,better,boost,bottom out,break,break up,bring forward,change,checker,chop,chop and change,civilize,come about,come along,come around,come on,come round,convalesce,convert,deform,degenerate,denature,deteriorate,develop,deviate,diverge,diversify,edify,educate,elevate,emend,enhance,enlighten,enrich,fatten,favor,fit,flop,forward,foster,gain,gain ground,get ahead,get along,go ahead,go forward,go straight,graduate,grow better,haul around,help,improve,improve upon,jibe,lard,lift,lighten,look up,make an improvement,make headway,make progress,make strides,meliorate,mend,mitigate,modify,modulate,mutate,nurture,overthrow,perk up,pick up,progress,promote,qualify,raise,re-create,realign,rebuild,reconstruct,recuperate,redesign,refine upon,refit,reform,relieve,remake,renew,reshape,restructure,revamp,revive,ring the changes,shape up,shift,shift the scene,show improvement,shuffle the cards,skyrocket,socialize,straighten out,subvert,swerve,tack,take a turn,take off,transfigure,transform,turn,turn aside,turn into,turn the corner,turn the scale,turn the tables,turn the tide,turn upside down,undergo a change,upgrade,uplift,vary,veer,warp,work a change,worsen 773 - amelioration,Great Leap Forward,about-face,accommodation,adaptation,adjustment,advance,advancement,alteration,amendment,apostasy,ascent,bettering,betterment,boost,break,change,change of heart,changeableness,constructive change,continuity,conversion,defection,degeneration,degenerative change,deterioration,deviation,difference,discontinuity,divergence,diversification,diversion,diversity,enhancement,enrichment,eugenics,euthenics,fitting,flip-flop,furtherance,gradual change,headway,improvement,lift,melioration,mend,mending,mitigation,modification,modulation,overthrow,pickup,preferment,progress,progression,promotion,qualification,radical change,re-creation,realignment,recovery,redesign,reform,reformation,remaking,renewal,reshaping,restoration,restructuring,reversal,revival,revivification,revolution,rise,shift,sudden change,switch,total change,transition,turn,turnabout,upbeat,upheaval,uplift,upping,upswing,uptrend,upward mobility,variation,variety,violent change,worsening 774 - amen,OK,Roger,absolutely,affirmative,affirmative attitude,affirmativeness,agreed,all right,alright,alrighty,as you say,assuredly,aye,be it so,by all means,certainly,da,done,exactly,fine,good,good enough,hear,indeed,indeedy,it is that,ja,just so,mais oui,most assuredly,naturally,naturellement,nod,nod of assent,of course,okay,oui,positively,precisely,quite,rather,really,right,right as rain,right you are,righto,so be it,so is it,so it is,sure,sure thing,surely,that is so,thumbs-up,to be sure,truly,very well,well and good,why yes,yea,yea-saying,yeah,yep,yes,yes indeed,yes indeedy,yes sir,yes sirree,you are right,you bet,you said it,you speak truly 775 - amenable,accessible,accommodating,accountable,acquiescent,adaptable,adapting,adaptive,adjusting,advance,agreeable,alacritous,ameliorate,amend,answerable,ardent,better,biddable,chargeable,compliant,consenting,content,cooperative,dependent,disposed,docile,eager,elevate,emend,enthusiastic,fain,favorable,favorably disposed,favorably inclined,forward,game,help,humble,impressionable,in the mind,in the mood,inclined,influenceable,liable,lift,malleable,meek,meliorate,mend,minded,movable,obedient,open,open-minded,passive,persuadable,persuasible,pervious,plastic,pliable,pliant,predisposed,promote,prompt,prone,quick,raise,ready,ready and willing,receptive,reconciled,rectify,repair,resigned,responsible,responsible for,responsive,right,suasible,subdued,subject,submissive,subordinate,suggestible,susceptible,swayable,tame,to blame,tractable,uncomplaining,unresisting,weak,well-disposed,well-inclined,willed,willing,willinghearted,zealous 776 - amend,acculturate,advance,ameliorate,better,blue-pencil,boost,bring forward,civilize,come along,come on,compensate,correct,develop,edify,edit,educate,elevate,emend,emendate,enhance,enlighten,enrich,fatten,favor,fix,forward,foster,gain,gain ground,get ahead,get along,give satisfaction,go ahead,go forward,go straight,graduate,grow better,improve,improve upon,lard,lift,look up,make all square,make an improvement,make good,make headway,make progress,make right,make strides,meliorate,mend,new-model,nurture,pay reparations,perk up,pick up,progress,promote,put right,put straight,put to rights,raise,re-form,recense,reclaim,recompense,rectify,redact,redeem,redraft,redress,refashion,refine upon,reform,regenerate,remedy,remodel,remunerate,renew,repair,requite,reshape,restore self-respect,revamp,revise,rework,rewrite,right,set right,set straight,set to rights,set up,shape up,show improvement,skyrocket,socialize,straighten out,take off,transfigure,transform,upgrade,uplift,work over 777 - amendment,Great Leap Forward,addendum,addition,advance,advancement,alteration,amelioration,ascent,attachment,bettering,betterment,bill,boost,calendar,change,change of allegiance,change of heart,change of mind,clause,companion bills amendment,correction,dragnet clause,editing,emendation,enacting clause,enhancement,enrichment,escalator clause,eugenics,euthenics,furtherance,headway,hold-up bill,improvement,joker,lift,melioration,mend,mending,motion,new birth,omnibus bill,paragraph,pickup,preferment,privileged question,progress,progression,promotion,proviso,question,rebirth,recension,reclamation,recovery,recrudescence,rectification,redaction,redemption,reform,reformation,regeneration,renascence,renewal,repair,rescript,rescription,restoration,revampment,revisal,revise,revised edition,revision,revival,rewrite,rewriting,rider,rise,saving clause,upbeat,uplift,upping,upswing,uptrend,upward mobility 778 - amends,atonement,balancing,blood money,commutation,compensate,compensation,composition,compromise,consideration,correction,counteraction,counterbalancing,damages,expiation,expiatory offering,fixing,guerdon,honorarium,indemnification,indemnity,lex talionis,make amends,make reparation,make restitution,making amends,making good,making right,making up,meed,mending,offsetting,overhaul,overhauling,pay,paying back,peace offering,piaculum,price,propitiation,quittance,reclamation,recompense,rectification,redemption,redress,refund,reimbursement,remedy,remuneration,repair,repairing,reparation,repay,repayment,reprisal,requital,requite,requitement,restitution,retaliation,retribution,return,revenge,reward,salvage,satisfaction,smart money,solatium,squaring,substitution,troubleshooting,wergild 779 - amenities,cakes and ale,ceremonies,civilities,civility,comforts,comity,conveniences,convention,courtliness,creature comforts,decencies,decorum,dignities,diplomatic code,elegance,elegancies,etiquette,excellent accommodations,exquisite manners,formalities,gentilities,good form,good manners,graces,manners,mores,natural politeness,point of etiquette,politeness,politesse,proprieties,protocol,punctilio,quiet good manners,rites,rituals,rules of conduct,social code,social conduct,social graces,social procedures,social usage 780 - amenity,accommodation,act of courtesy,advantage,affability,agreeability,agreeableness,amiability,amicability,appliance,appurtenance,attention,attractiveness,betterment,bliss,blissfulness,charm,civilities,civility,comfort,comity,compatibility,complaisance,congeniality,considerateness,convenience,cordiality,courteousness,courtesy,deference,delightfulness,enhancement,enjoyableness,enrichment,etiquette,excellence,extravagance,facility,fascination,favor,felicitousness,frill,gallantry,geniality,goodliness,goodness,graceful gesture,gracefulness,graciousness,gratefulness,harmoniousness,improvement,mellifluousness,mellowness,merit,mores,niceness,pleasance,pleasantness,pleasantry,pleasingness,pleasurability,pleasurableness,pleasure,pleasurefulness,polite act,politeness,proprieties,quality,rapport,respect,respectfulness,sociability,solicitousness,solicitude,superfluity,sweetness,sweetness and light,tact,tactfulness,thoughtfulness,urbanity,virtue,welcomeness 781 - ament,born fool,capitulum,catkin,clot,cone,congenital idiot,corymb,cretin,cyme,defective,golem,half-wit,head,idiot,imbecile,juggins,mongoloid idiot,moron,natural,natural idiot,natural-born fool,panicle,pine cone,raceme,simp,simpleton,spadix,spike,spikelet,strobile,thyrse,umbel,verticillaster,zany 782 - amentia,arrested development,backwardness,blithering idiocy,cretinism,half-wittedness,idiocy,idiotism,imbecility,infantilism,insanity,mental defectiveness,mental deficiency,mental handicap,mental retardation,mongolianism,mongolism,mongoloid idiocy,moronism,moronity,profound idiocy,retardation,retardment,simple-wittedness,simplemindedness,simpleness,simplicity,subnormality 783 - America,Africa,Antipodes,Asia,Asia Major,Asia Minor,Australasia,Columbia,East,Eastern Hemisphere,Eurasia,Europe,Far East,Land of Liberty,Levant,Middle East,Near East,New World,Occident,Oceania,Old World,Orient,US,USA,Uncle Sugar,United States,West,Western Hemisphere,Yankeeland,continent,down under,eastland,landmass,stateside,the States,the melting pot,the old country 784 - Americanism,Anglicism,Briticism,Frenchism,Gallicism,Hibernicism,Irishism,Latinism,Scotticism,Yankeeism,chauvinism,flag waving,jingoism,love of country,nationalism,nationality,overpatriotism,patriotics,patriotism,ultranationalism 785 - amethystine,lavender,lilac,livid,magenta,mauve,mulberry,orchid,pansy-purple,plum-colored,plum-purple,purple,purplescent,purplish,purply,purpurate,purpure,purpureal,purpurean,purpureous,raisin-colored,violaceous,violet 786 - Amex,American Stock Exchange,Wall Street,board,bourse,commodity exchange,corn pit,curb,curb exchange,curb market,exchange,exchange floor,outside market,over-the-counter market,pit,quotation board,stock exchange,stock market,stock ticker,telephone market,the Big Board,the Exchange,third market,ticker,ticker tape,wheat pit 787 - amiable,accommodating,affable,affectionate,agreeable,amicable,approachable,benevolent,benign,benignant,blissful,bonhomous,brotherly,cheerful,civil,clubbable,clubbish,clubby,communicative,companionable,companionate,compatible,complaisant,compliant,congenial,cordial,courteous,decent,desirable,dulcet,easy,easy-natured,en rapport,enjoyable,fair,fair and pleasant,favorable,felicific,felicitous,fine,fit for society,fond of society,fraternal,friendlike,friendly,generous,genial,gentle,good,good-hearted,good-humored,good-natured,good-tempered,goodly,gracious,grateful,gratifying,gregarious,harmonious,heart-warming,hearty,honeyed,hospitable,indulgent,kind,kindly,lenient,liberal,likable,mannerly,mellifluous,mellow,mild,neighborlike,neighborly,nice,obliging,open,openhearted,overindulgent,overpermissive,peaceable,permissive,pleasant,pleasing,pleasurable,pleasure-giving,pleasureful,receptive,responsive,rewarding,satisfying,simpatico,sisterly,sociable,social,social-minded,sweet,sweet-tempered,sympathique,tractable,unhostile,urbane,warm,warmhearted,welcome,welcoming,well-affected,well-disposed,well-intentioned,well-meaning,well-meant,well-natured,winning,winsome 788 - amicable,accordant,affable,agreeable,agreeing,akin,amiable,at one,attuned,beneficent,benevolent,benign,benignant,blissful,brotherly,cheerful,civil,compatible,complaisant,concordant,congenial,cooperative,cordial,corresponding,courteous,desirable,dulcet,empathetic,empathic,en rapport,enjoyable,fair,fair and pleasant,favorable,felicific,felicitous,fine,fraternal,frictionless,friendlike,friendly,genial,good,goodly,gracious,grateful,gratifying,harmonious,heart-warming,honeyed,in accord,in concert,in rapport,in tune,inharmony,kind,kindly,kindly-disposed,likable,like-minded,mellifluous,mellow,neighborlike,neighborly,nice,of one mind,pacific,peaceable,peaceful,pleasant,pleasing,pleasurable,pleasure-giving,pleasureful,polite,propitious,rewarding,satisfying,simpatico,sisterly,sociable,sweet,sympathetic,sympathique,together,understanding,unhostile,united,warm,welcome,well-affected,well-disposed,well-intentioned,well-meaning,well-meant 789 - amicus curiae,JA,advocate,agent,alter ego,alternate,assessor,attorney,attorney-at-law,backup,backup man,barmaster,barrister,barrister-at-law,champion,chancellor,circuit judge,counsel,counselor,counselor-at-law,deputy,dummy,executive officer,exponent,figurehead,friend at court,intercessor,judge advocate,judge ordinary,jurat,justice in eyre,justice of assize,lawyer,lay judge,legal adviser,legal assessor,legal counselor,legal expert,legal practitioner,legalist,lieutenant,locum,locum tenens,master,military judge,mouthpiece,ombudsman,ordinary,paranymph,pinch hitter,pleader,police judge,presiding judge,probate judge,proctor,procurator,proxy,puisne judge,recorder,representative,sea lawyer,second in command,secondary,self-styled lawyer,solicitor,stand-in,substitute,surrogate,understudy,utility man,vicar,vicar general,vice,vice-chancellor,vicegerent 790 - amidships,average,betwixt and between,central,core,equatorial,equidistant,half-and-half,halfway,in medias res,in the mean,in the middle,interior,intermediary,intermediate,mean,medial,medially,median,mediocre,mediterranean,medium,mediumly,mesial,mezzo,mezzo-mezzo,mid,middle,middlemost,middling,midland,midmost,midships,midway,nuclear 791 - amigo,ace,acquaintance,associate,bedfellow,bedmate,bosom buddy,buddy,bunkie,bunkmate,butty,camarade,chamberfellow,chum,classmate,colleague,comate,companion,company,compeer,comrade,confidant,confrere,consociate,consort,copartner,crony,familiar,fellow,fellow student,girl friend,gossip,intimate,mate,messmate,old crony,pal,pard,pardner,partner,playfellow,playmate,roommate,schoolfellow,schoolmate,shipmate,side partner,sidekick,teammate,workfellow,yokefellow,yokemate 792 - amino acid,alanine,albuminoid,arginine,chromoprotein,dipeptide,glycine,glycoprotein,leucine,lipoprotein,lysine,methionine,nucleoprotein,peptide,phenylalanine,phosphoprotein,proteid,protein,protide,sarcosine,serine,threonine,valine 793 - amiss,aberrant,abroad,adrift,afield,all abroad,all off,all wrong,askew,astray,at fault,awry,bad,badly,below the mark,beside the mark,beside the point,blamable,blameful,bootlessly,bum,censurable,cockeyed,confused,convulsed,corrupt,crappy,culpable,deceptive,defective,delusive,deranged,deviant,deviational,deviative,disarranged,discomfited,discomposed,disconcerted,dislocated,disordered,disorderly,disorganized,dissatisfactory,distorted,disturbed,errant,erring,erroneous,erroneously,evil,evilly,fallacious,fallaciously,false,falsely,far from it,faultful,faultfully,faultily,faulty,flawed,fruitlessly,guilty,haywire,heretical,heterodox,ill,illogical,illusory,imperfect,imperfectly,improper,improperly,in disorder,in vain,inaccurately,inappropriately,incorrect,incorrectly,indiscreetly,inopportunely,misinterpret,misplaced,mistake,mistakenly,misunderstand,not right,not true,off,off the track,on the fritz,out,out of gear,out of joint,out of kelter,out of kilter,out of order,out of place,out of tune,out of whack,peccant,perturbed,perverse,perverted,poor,poorly,punk,reprehensible,roily,rotten,self-contradictory,shuffled,sick,sinful,straying,to no purpose,turbid,turbulent,unfactual,unfavorably,unholy,unorthodox,unpropitiously,unproved,unsatisfactory,unsettled,untoward,untrue,untruly,unwisely,up,upset,vainly,wide,wrong,wrongly 794 - amity,accord,accordance,affinity,agape,agreement,amiability,amiableness,amicability,amicableness,benevolence,bonds of harmony,brotherly love,caritas,cement of friendship,charity,comity,communion,community,community of interests,compatibility,concord,concordance,congeniality,correspondence,empathy,esprit,esprit de corps,feeling of identity,fellow feeling,fellowship,frictionlessness,friendliness,friendship,good vibes,good vibrations,happy family,harmony,identity,kindliness,kindness,kinship,like-mindedness,love,mutuality,neighborlikeness,neighborliness,oneness,peace,peaceableness,rapport,rapprochement,reciprocity,sharing,sociability,solidarity,sympathy,symphony,team spirit,understanding,unhostility,union,unison,unity,well-affectedness 795 - ammonia,Dry Ice,Freon,acetylene,argon,asphyxiating gas,butane,carbon dioxide,carbon monoxide,castor-bean meal,chlorine,coal gas,commercial fertilizer,compost,coolant,dressing,dung,enrichener,ethane,ether,ethyl chloride,ethylene,fertilizer,fluorine,formaldehyde,freezing mixture,guano,helium,hydrogen,ice,ice cubes,illuminating gas,krypton,lewisite,liquid air,liquid helium,liquid oxygen,manure,marsh gas,methane,muck,mustard gas,natural gas,neon,night soil,nitrate,nitrogen,organic fertilizer,oxygen,ozone,phosphate,poison gas,propane,radon,refrigerant,sewer gas,superphosphate,xenon 796 - amnesia,agnosia,blackout,catalepsy,cataplexy,catatonic stupor,daydreaming,daze,dream state,fugue,fugue state,hypnotic trance,loss of memory,reverie,sleepwalking,somnambulism,stupor,trance,word deafness 797 - amnesty,absolution,exculpation,excuse,exemption,exoneration,grace,immunity,impunity,indemnity,nolle prosequi,non prosequitur,nonprosecution,pardon,redemption,remission,remission of sin,reprieve,shrift,sparing,stay 798 - amnion,allantoic membrane,amniotic sac,arachnoid membrane,basement membrane,conjuctiva,eardrum,hymen,maidenhead,membrana serosa,membrana tympana,membrane,meninges,meninx,neurilemma,pellicle,pericardium,perineurium,pleura,serosa,tympanic membrane,tympanum,velum 799 - amoeba,Euglena,adenovirus,aerobe,aerobic bacteria,anaerobe,anaerobic bacteria,animalcule,bacillus,bacteria,bacterium,bug,coccus,colon bacillus,diatom,disease-producing microorganism,dyad,echovirus,enterovirus,filterable virus,flagellate,fungus,germ,gram-negative bacteria,gram-positive bacteria,microbe,microorganism,microspore,microzoa,mold,monad,nematode,nonfilterable virus,paramecium,pathogen,picornavirus,protozoa,protozoon,reovirus,rhinovirus,rickettsia,salmonella,saprophyte,spirillum,spirochete,spore,sporozoon,staphylococcus,streptococcus,tetrad,triad,trypanosome,vibrio,virus,volvox,vorticellum,zoospore 800 - amok,Dionysiac,abandoned,attack,bacchic,bellowing,berserk,carried away,convulsion,corybantic,delirious,demoniac,desperate,distracted,ecstatic,enraptured,feral,ferocious,fever,fierce,fit,frantic,frenetic,frenzied,frenzy,fulminating,furious,furor,fury,haggard,hog-wild,howling,hysterical,in a transport,in hysterics,intoxicated,like one possessed,mad,madding,maenadic,maniac,maniacal,murderous insanity,orgasmic,orgiastic,paroxysm,possessed,psychokinesia,rabid,rage,raging,ramping,ranting,raving,raving mad,ravished,roaring,running mad,running wild,seizure,spasm,stark-raving mad,storming,transported,uncontrollable,violent,wild,wild-eyed,wild-looking 801 - among,amid,amidst,among,amongst,at,between,betwixt,betwixt and between,by,from,in,mid,midst,near,next to,on,to,together with,toward,with 802 - Amor,Agdistis,Aphrodite,Apollo,Apollon,Ares,Artemis,Astarte,Ate,Athena,Bacchus,Ceres,Cora,Cronus,Cupid,Cybele,Demeter,Despoina,Diana,Dionysus,Dis,Eros,Freya,Gaea,Gaia,Ge,Great Mother,Hades,Helios,Hephaestus,Hera,Here,Hermes,Hestia,Hymen,Hyperion,Jove,Juno,Jupiter,Jupiter Fidius,Jupiter Fulgur,Jupiter Optimus Maximus,Jupiter Pluvius,Jupiter Tonans,Kama,Kore,Kronos,Love,Magna Mater,Mars,Mercury,Minerva,Mithras,Momus,Neptune,Nike,Olympians,Olympic gods,Ops,Orcus,Persephassa,Persephone,Phoebus,Phoebus Apollo,Pluto,Poseidon,Proserpina,Proserpine,Rhea,Saturn,Tellus,Venus,Vesta,Vulcan,Zeus 803 - amoral,conscienceless,corrupt,corrupted,criminal,crooked,dark,devious,dishonest,dishonorable,doubtful,dubious,evasive,felonious,fishy,fraudulent,ill-got,ill-gotten,immoral,indirect,insidious,nonmoral,not kosher,questionable,rotten,shady,shameless,shifty,sinister,slippery,steeped in vice,suspicious,tricky,unconscienced,unconscientious,unconscionable,underhand,underhanded,unethical,unmoral,unprincipled,unsavory,unscrupulous,unstraightforward,vice-laden,vice-prone,vicious,without remorse,without shame 804 - amorality,amoralism,backsliding,carnality,criminality,delinquency,evil,evil nature,immorality,impurity,moral delinquency,peccability,prodigality,recidivism,unangelicalness,unchastity,uncleanness,ungodliness,ungoodness,unmorality,unrighteousness,unsaintliness,unvirtuousness,vice,viciousness,wantonness,waywardness,wrongdoing 805 - amorous,amative,amatory,aphrodisiac,ardent,carnal,desirous,enamored,erogenic,erogenous,erotic,erotogenic,fleshly,gamic,heterosexual,impassioned,infatuated,lascivious,libidinal,loverlike,loverly,lustful,nuptial,oversexed,passionate,potent,procreative,sensual,sex,sexed,sexlike,sexual,sexy,straight,undersexed,venereal,voluptuous 806 - amorphous,aberrant,abnormal,adrift,afloat,aimless,aleatoric,aleatory,alternating,amorphic,anarchic,anomalistic,anomalous,baggy,blind,blobby,blurred,blurry,broad,capricious,casual,chance,chancy,changeable,changeful,chaotic,characterless,clear as mud,cloudy,confused,dark,desultory,deviable,deviative,different,dim,disarticulated,discontinuous,disjunct,disordered,disorderly,dispersed,disproportionate,divergent,dizzy,eccentric,erratic,fast and loose,featureless,fickle,fitful,flickering,flighty,flitting,fluctuating,foggy,formless,freakish,frivolous,fuzzy,general,giddy,gratuitous,haphazard,hazy,heteroclite,heteromorphic,hit-or-miss,ill-defined,immethodical,impetuous,imprecise,impulsive,inaccurate,inchoate,incoherent,inconsistent,inconstant,indecisive,indefinable,indefinite,indeterminable,indeterminate,indiscriminate,indistinct,inexact,infirm,inform,irregular,irresolute,irresponsible,kaleidoscopic,lax,loose,lumpen,mazy,meaningless,mercurial,misshapen,misty,moody,muddy,murky,nebulous,nondescript,nonspecific,nonsymmetrical,nonsystematic,nonuniform,obscure,opaque,orderless,planless,promiscuous,rambling,random,restless,roving,scatterbrained,senseless,shadowed forth,shadowy,shapeless,shifting,shifty,shuffling,spasmodic,spineless,sporadic,stochastic,straggling,straggly,stray,straying,subnormal,sweeping,systemless,transcendent,unaccountable,unarranged,uncertain,unclassified,unclear,uncontrolled,undefined,undependable,undestined,undetermined,undirected,undisciplined,unfixed,unformed,ungraded,unjoined,unmethodical,unnatural,unordered,unorganized,unplain,unpredictable,unreliable,unrestrained,unsettled,unshaped,unsorted,unspecified,unstable,unstable as water,unstaid,unsteadfast,unsteady,unsymmetrical,unsystematic,ununiform,vacillating,vagrant,vague,variable,veiled,vicissitudinary,vicissitudinous,volatile,wandering,wanton,wavering,wavery,wavy,wayward,whimsical,wishy-washy 807 - amortization,abalienation,acquitment,acquittal,acquittance,alienation,amortizement,assignation,assignment,bargain and sale,barter,bequeathal,binder,cash,cash payment,cession,clearance,conferment,conferral,consignation,consignment,conveyance,conveyancing,debt service,deeding,defrayal,defrayment,deliverance,delivery,demise,deposit,disbursal,discharge,disposal,disposition,doling out,down payment,earnest,earnest money,enfeoffment,exchange,giving,hire purchase,hire purchase plan,installment,installment plan,interest payment,lease and release,liquidation,monthly payments,never-never,paying,paying off,paying out,paying up,payment,payment in kind,payoff,prepayment,quarterly payments,quittance,regular payments,remittance,retirement,sale,satisfaction,settlement,settling,sinking-fund payment,spot cash,surrender,trading,transfer,transference,transmission,transmittal,vesting,weekly payments 808 - amortize,abalienate,alien,alienate,assign,barter,bequeath,cede,clear,confer,consign,convey,deed,deed over,deliver,demise,devolve upon,discharge,enfeoff,exchange,give,give title to,hand,hand down,hand on,hand over,honor,lift,liquidate,make accounts square,make over,negotiate,pass,pass on,pass over,pay in full,pay off,pay the bill,pay the shot,pay up,redeem,retire,satisfy,sell,settle,settle on,sign away,sign over,square,square accounts,strike a balance,surrender,take up,trade,transfer,transmit,turn over 809 - amount to,add up to,afford,aggregate,aggregate to,balance,break even,bring,bring in,come to,come up to,comprise,contain,correspond,cost,ditto,draw,equal,even,even off,fetch,keep pace with,knot,match,match up with,measure up to,mount up to,number,parallel,reach,reckon up to,rival,run abreast,run into,run to,sell for,set one back,stack up with,tie,tot up to,total,total up to,tote up to,touch,unitize 810 - amount,account,add up,add up to,aggregate,amount to,amplitude,approach,batch,become,body,box score,budget,bulk,bunch,burden,caliber,cast,charge,chunk,clutch,come,come up to,compass,comprehend,comprise,core,correspond to,cost,count,cut,damage,deal,degree,difference,dose,embody,entirety,equal,expanse,expenditure,expense,extent,figure,force,gob,grade,grand total,gross amount,group,heap,height,hint,hunk,imply,include,incorporate,interval,intimate,large amount,leap,level,lot,magnitude,mark,mass,match,matter,measure,measurement,mess,notch,nuance,number,numbers,pack,parcel,part,partake of,pas,peg,period,pitch,plane,plateau,point,portion,price,price tag,product,proportion,purport,quantity,quantum,range,rate,ratio,ration,reach,reckoning,remove,rival,round,run into,rung,scale,scope,score,sense,shade,shadow,short,small amount,space,stair,standard,step,stint,strength,substance,subsume,suggest,sum,sum and substance,sum total,summation,supply,tab,tale,tally,the amount,the bottom line,the story,the whole story,thrust,total,touch,tread,upshot,volume,whole,whole amount,x number 811 - amour,adulterous affair,adultery,affair,amorousness,cuckoldry,entanglement,eternal triangle,flirtation,forbidden love,hanky-panky,illicit love,infidelity,intimacy,intrigue,liaison,love,love affair,passion,relationship,romance,romantic tie,triangle,unfaithfulness 812 - amphetamine,Benzedrine,Benzedrine pill,C,Dexamyl,Dexamyl pill,Dexedrine,Dexedrine pill,Methedrine,amphetamine sulfate,cocaine,coke,crystal,dextroamphetamine sulfate,football,heart,jolly bean,methamphetamine hydrochloride,pep pill,purple heart,snow,speed,stimulant,upper 813 - amphibian,Reptilia,Surinam toad,aeroboat,air,airy nothing,angiosperm,anguine,annual,aquatic plant,batrachian,biennial,boat seaplane,bubble,bullfrog,caecilian,clipper,colubriform,cosmopolite,crawling,creeping,croaker,crocodilian,cutting,deciduous plant,dicot,dicotyledon,eft,ephemeral,ether,evergreen,exotic,floatplane,flowering plant,flying boat,frog,froggy,fungus,gametophyte,grass frog,gymnosperm,hellbender,hoppytoad,hoptoad,hydrophyte,hydroplane,illusion,leopard frog,lizardlike,midwife toad,mist,monocot,monocotyl,mud puppy,newt,ophidian,paddock,perennial,phantom,pickerel frog,plant,polliwog,polycot,polycotyl,polycotyledon,repent,reptant,reptile,reptilelike,reptilian,reptiliform,reptiloid,salamander,saurian,seaplane,seed plant,seedling,serpentiform,serpentile,serpentine,serpentlike,serpentoid,shadow,siren,slithering,smoke,snakelike,snaky,spermatophyte,spirit,sporophyte,spring frog,tadpole,thallophyte,thin air,toad,toadish,tree frog,tree toad,triennial,vapor,vascular plant,vegetable,viperiform,viperish,viperlike,viperoid,viperous,vipery,water dog,waterplane,weed,wood frog 814 - amphibious,adaptable,adjustable,all-around,amalgamated,ambidextrous,ambiguous,ambivalent,blended,combined,complex,composite,compound,compounded,conglomerate,dappled,eclectic,equivocal,fifty-fifty,flexible,generally capable,half-and-half,heterogeneous,indiscriminate,intricate,ironic,jumbled,many-sided,medley,mingled,miscellaneous,mixed,motley,multifaceted,multinational,multiracial,patchy,pluralistic,promiscuous,resourceful,scrambled,supple,syncretic,thrown together,two-handed,varied,versatile 815 - amphitheater,Elizabethan theater,Globe Theatre,Greek theater,agora,arena,arena theater,assembly hall,athletic field,auditorium,background,bear garden,bowl,boxing ring,bull ring,cabaret,campus,canvas,chapel,circle theater,circus,classroom,club,cockpit,coliseum,colosseum,concert hall,convention hall,course,dance hall,exhibition hall,field,floor,forum,gallery,ground,gym,gymnasium,hall,hippodrome,house,lecture hall,lecture room,lists,little theater,locale,marketplace,mat,meetinghouse,milieu,music hall,night spot,nightclub,open forum,opera,opera house,outdoor theater,palaestra,parade ground,pit,place,platform,playhouse,precinct,prize ring,public square,purlieu,range,recitation room,ring,scene,scene of action,scenery,schoolroom,setting,showboat,site,sphere,squared circle,stadium,stage,stage set,stage setting,terrain,theater,theater-in-the-round,theatron,tilting ground,tiltyard,walk,wrestling ring 816 - ample,abounding,abundant,adequate,affluent,all-sufficing,amplify,amplitudinous,aplenty,augment,barely sufficient,bottomless,bounteous,bountiful,broad,capacious,commensurate,commodious,competent,complete,comprehensive,copious,corresponding,countless,decent,deep,detailed,develop,diffuse,dilate,distend,distended,due,effuse,elaborate,enlarge,enough,epidemic,equal to,exhaustless,expanded,expansive,extend,extended,extending,extensive,extravagant,exuberant,far-reaching,fat,fertile,fit,flush,fruitful,full,galore,generous,good,good enough,great,handsome,in plenty,in quantity,increase,inexhaustible,infinite,inflate,inflated,large,lavish,liberal,luxuriant,many,maximal,minimal,minimum,much,multitudinous,numerous,opulent,overflowing,plenitudinous,plenteous,plentiful,plenty,plenty good enough,prevailing,prevalent,prodigal,productive,profuse,profusive,proportionable,proportionate,rampant,replete,rich,rife,riotous,roomy,running over,satisfactory,satisfying,spacious,spreading,substantial,sufficient,sufficient for,sufficing,suitable,superabundant,swell,swollen,teeming,thorough,unfold,unsparing,unstinted,unstinting,up to,vast,voluminous,wealthy,well-found,well-furnished,well-provided,well-stocked,wholesale,wide,wide-ranging,widespread 817 - amplification,access,accession,accomplishment,accretion,accrual,accruement,accumulation,addition,adjunct,advance,advancement,aggrandizement,aggravation,ampliation,annoyance,appreciation,ascent,augmentation,ballooning,ballyhoo,big talk,bilingual text,bloating,blossoming,blowing up,boom,boost,broadening,buildup,burlesque,caricature,clavis,contentiousness,crescendo,crib,decipherment,decoding,deepening,deliberate aggravation,deployment,deterioration,development,developmental change,dilatation,dilation,dispersion,edema,elaboration,elevation,embittering,embitterment,enhancement,enlargement,evolution,evolutionary change,evolvement,evolving,exacerbation,exaggerating,exaggeration,exasperation,excess,exorbitance,expansion,expatiation,explication,extension,extravagance,extreme,faithful translation,fanning out,flare,flood,flowering,free translation,furtherance,gain,gloss,glossary,gradual change,grandiloquence,greatening,growth,gush,heightening,hike,hiking,huckstering,hyperbole,hyperbolism,increase,increment,inflation,inordinacy,intensification,interlinear,interlinear translation,irritation,jump,key,leap,loose translation,magnification,maturation,metaphrase,mounting,multiplication,natural development,natural growth,nonviolent change,overemphasis,overestimation,overkill,overstatement,paraphrase,pony,prodigality,productiveness,profuseness,progress,progression,proliferation,provocation,puffery,puffing up,raise,raising,restatement,rewording,ripening,rise,sensationalism,sharpening,snowballing,souring,splay,spread,spreading,stretching,superlative,surge,swelling,tall talk,touting,transcription,translation,transliteration,travesty,trot,tumescence,unfolding,up,upping,upsurge,upswing,uptrend,upturn,waxing,widening,working-out,worsening 818 - amplified,accelerated,aggrandized,aggravated,ampliate,annoyed,augmented,ballyhooed,beefed-up,bloated,boosted,broadened,built-up,crescendoed,deepened,deliberately provoked,disproportionate,elevated,embittered,enhanced,enlarged,exacerbated,exaggerated,exasperated,excessive,exorbitant,expanded,extended,extravagant,extreme,grandiloquent,heated up,heightened,high-flown,hiked,hotted up,hyperbolic,increased,inflated,inordinate,intensified,irritated,jazzed up,magnified,multiplied,overdone,overdrawn,overemphasized,overemphatic,overestimated,overgreat,overlarge,overpraised,oversold,overstated,overstressed,overwrought,prodigal,profuse,proliferated,provoked,puffed,raised,reinforced,soured,spread,stiffened,strengthened,stretched,superlative,swollen,tightened,touted,upped,widened,worse,worsened 819 - amplifier,attenuator,audio-frequency tube,ballast regulator,ballast tube,beam-switching tube,convertor,current regulator,damper,detector,discriminator,doubler,ear trumpet,electronic hearing aid,focus tube,generator,hard-of-hearing aid,hearing aid,iconoscope,inverter,limiter,local-oscillator tube,megaphone,mixer tube,modulator,multiplier,multipurpose tube,multivibrator,oscillator,output tube,phase inverter,picture tube,power tube,preamp,preamplifier,pulse generator,radio-frequency tube,receiving tube,rectifier tube,regulator,repeater,speaking trumpet,stethoscope,transducer,transistor hearing aid,trigger tube,vacuum-tube hearing aid 820 - amplify,add to,agent provocateur,aggrandize,aggravate,annoy,augment,ballyhoo,bloat,blow up,boost,broaden,build,build up,bulk,bulk out,burlesque,caricature,carry too far,charge,complete,crescendo,deepen,descant,detail,deteriorate,develop,dilate,distend,draw the longbow,elaborate,electrify,embellish,embitter,embroider,energize,enhance,enlarge,enlarge upon,enter into detail,evolve,exacerbate,exaggerate,exalt,exasperate,expand,expatiate,explicate,extend,fatten,fill out,galvanize,generate,go into,go to extremes,heat up,heighten,hike,hike up,hot up,huff,hyperbolize,increase,inflate,intensify,irritate,jack up,jump up,labor,lay it on,lengthen,loop in,magnify,make acute,make much of,make worse,maximize,overcharge,overdo,overdraw,overestimate,overpraise,overreach,overreact,oversell,overspeak,overstate,overstress,parlay,particularize,pile it on,plug in,provoke,puff,puff up,pump,pump up,put up,pyramid,raise,rarefy,rehearse in extenso,relate at large,sharpen,shock,short,short-circuit,sour,spell out,step down,step up,stiffen,stretch,stretch the truth,sufflate,supplement,swell,switch off,switch on,talk big,talk in superlatives,thicken,tout,travesty,turn off,turn on,unfold,up,widen,work out,worsen 821 - amplitude,abundance,affluence,amount,ample sufficiency,ampleness,antinode,area,auditory effect,auditory phenomenon,avalanche,beam,bigness,body,bonanza,boundlessness,bountifulness,bountiousness,breadth,broadness,bulk,bumper crop,caliber,camber,capaciousness,capacity,cloud of words,commodiousness,comprehensiveness,congestion,copiousness,coverage,crest,de Broglie wave,depth,diameter,diffraction,diffuseness,diffusion,diffusiveness,dimension,dimensions,distance,distance across,effusion,effusiveness,electromagnetic radiation,electromagnetic wave,enormity,enormousness,expanse,expansion,expansiveness,extension,extensiveness,extent,extravagance,exuberance,fecundity,fertility,flight path,flood,flood tide,flow,fluency,foison,force,formidableness,formlessness,frequency,frequency band,frequency spectrum,full,full measure,fullness,gauge,generosity,generousness,gigantism,girth,grandeur,grandness,great abundance,great plenty,great scope,greatness,guided wave,gush,gushing,height,high tide,high water,hugeness,immensity,impletion,in phase,infinity,intensity,interference,landslide,largeness,latitude,lavishness,length,liberality,liberalness,light,logorrhea,longitudinal wave,lots,loudness,luxuriance,macrology,magnitude,mass,matter,maximum,measure,measurement,mechanical wave,might,mightiness,more than enough,much,muchness,myriad,myriads,node,noise,numbers,numerousness,opulence,opulency,out of phase,outpour,outpouring,overflow,overfullness,palilogy,period,periodic wave,phone,plenitude,plenteousness,plentifulness,plenty,pleonasm,plethora,power,prevalence,prodigality,prodigiousness,productiveness,productivity,profuseness,profusion,prolificacy,prolificity,proportion,proportions,quantities,quantity,quantum,radio wave,radius,rampancy,range,rankness,ray,reach,redundancy,reinforcement,reiteration,reiterativeness,repetition for effect,repetitiveness,repleteness,repletion,resonance,resonance frequency,rich harvest,rich vein,richness,riot,riotousness,roominess,satiety,saturation,saturation point,scads,scale,scope,seismic wave,shock wave,shower,size,skin effect,skin friction,slip,sonance,sound,sound intensity level,sound propagation,sound wave,space,spaciousness,span,spate,speech sound,spread,spring tide,stagger,stream,strength,stretch,stupendousness,substance,substantiality,substantialness,sum,superabundance,superfluity,superflux,surface wave,surfeit,talkativeness,tautology,teemingness,tidal wave,tirade,transverse wave,tremendousness,trough,ultrasound,vastness,volume,wave,wave equation,wave motion,wave number,wavelength,wealth,whole,wideness,width 822 - amply,abundantly,acceptably,acutely,adequately,admissibly,agreeably,amazingly,appropriately,astonishingly,awesomely,becomingly,broadly,commensurately,competently,conspicuously,copiously,eminently,emphatically,enough,exceptionally,expansively,exquisitely,extensively,extraordinarily,exuberantly,famously,fittingly,fully,generously,glaringly,greatly,impressively,incredibly,intensely,largely,lavishly,liberally,magically,magnanimously,magnificently,markedly,marvelously,minimally,nobly,notably,particularly,passably,peculiarly,pointedly,preeminently,profusely,prominently,pronouncedly,properly,remarkably,richly,right,satisfactorily,satisfyingly,signally,singularly,splendidly,strikingly,substantially,sufficiently,suitably,superlatively,surpassingly,surprisingly,tolerably,uncommonly,unstintingly,unusually,well,widely,wonderfully,wondrous,worthily 823 - amputate,abscind,annihilate,ax,ban,bar,bisect,bob,butcher,carve,chop,cleave,clip,crop,cull,cut,cut away,cut in two,cut off,cut out,dichotomize,dissever,dock,eliminate,enucleate,eradicate,except,excise,exclude,extinguish,extirpate,fissure,gash,hack,halve,hew,incise,isolate,jigsaw,knock off,lance,lop,mutilate,nip,pare,peel,pick out,prune,rend,rive,root out,rule out,saw,scissor,set apart,set aside,sever,shave,shear,slash,slice,slit,snip,split,stamp out,strike off,strip,strip off,sunder,take off,take out,tear,truncate,whittle,wipe out 824 - amputation,abscission,anastomotic operation,annihilation,bloodless operation,butchering,capital operation,chopping,cleavage,compensating operation,corneal transplant,crescent operation,cutting,destruction,dichotomy,elective operation,elimination,emergency operation,enucleation,eradication,excision,exclusion,exploratory operation,extinction,extirpation,fenestration operation,fission,heart transplant,interval operation,kidney transplant,laceration,major operation,minor operation,mutilation,operation,organ transplant,organ transplantation,palliative operation,radical operation,removal,rending,rescission,resection,ripping,scission,section,severance,slashing,slicing,splitting,surgery,surgical intervention,surgical operation,surgical technique,tearing,the knife,transplant 825 - amulet,charm,fetish,fylfot,gammadion,good-luck charm,hoodoo,juju,love charm,luck,lucky bean,lucky piece,madstone,mascot,mumbo jumbo,obeah,periapt,philter,phylactery,scarab,scarabaeus,scarabee,sudarium,swastika,talisman,veronica,voodoo,whammy 826 - amuse,absorb,animate,beguile,charm,cheer,convulse,delight,distract,divert,enchant,engross,enliven,entertain,exhilarate,fascinate,fleet,fracture one,interest,kill,knock dead,loosen up,occupy,please,quicken,raise a laugh,raise a smile,recreate,refresh,regale,relax,slay,solace,tickle,titillate,while,wile,wow 827 - amusement,animal pleasure,beguilement,bodily pleasure,carnal delight,comfort,content,contentment,coziness,creature comforts,dissipation,distraction,diversion,divertissement,ease,endpleasure,enjoyment,entertainment,euphoria,forepleasure,frivolity,fruition,fun,game,glee,gleefulness,gratification,great satisfaction,gusto,hearty enjoyment,high glee,hilariousness,hilarity,intellectual pleasure,jocularity,jocundity,joie de vivre,joke,jolliness,jollity,joviality,joy,joyfulness,joyousness,keen pleasure,kicks,lark,laughter,levity,luxury,merriment,merriness,mirth,mirthfulness,pastime,physical pleasure,pleasure,quiet pleasure,recreation,relaxation,relish,satisfaction,self-gratification,self-indulgence,sensual pleasure,sensuous pleasure,sexual pleasure,sport,sweetness of life,titillation,voluptuousness,well-being,zest 828 - amusing,absurd,beguiling,bizarre,delightful,diverting,droll,eccentric,entertaining,fun,funny,hilarious,humorous,incongruous,laughable,ludicrous,priceless,quaint,quizzical,recreational,rich,ridiculous,risible,screaming,titillating,titillative,whimsical,witty 829 - ana,Festschrift,adage,album,analects,anthology,aphorism,apothegm,aquarium,archives,axiom,beauties,biographical material,biographical records,body,byword,canon,catchword,chrestomathy,clippings,collectanea,collected sayings,collected works,collection,compilation,complete works,corpus,current saying,cuttings,data,delectus,dictate,dictum,distich,epigram,excerpta,excerpts,expression,extracts,florilegium,flowers,fragments,fund,garden,garland,gleanings,gnome,golden saying,government archives,government papers,historical documents,historical records,holdings,library,life records,maxim,memorabilia,menagerie,miscellanea,miscellany,moral,mot,motto,museum,omnibus,oracle,papers,parish rolls,photograph album,phrase,pithy saying,posy,precept,prescript,presidential papers,proverb,proverbial saying,proverbs,public records,quotation book,raw data,saw,saying,scrapbook,sentence,sententious expression,sloka,stock saying,sutra,symposium,teaching,text,treasure,verse,wisdom,wisdom literature,wise saying,witticism,word,words of wisdom,zoo 830 - anabolism,assimilation,avatar,basal metabolism,catabolism,catalysis,consubstantiation,displacement,heterotopia,metabolism,metagenesis,metamorphism,metamorphosis,metastasis,metathesis,metempsychosis,mutant,mutated form,mutation,permutation,reincarnation,sport,transanimation,transfiguration,transfigurement,transformation,transformism,translation,translocation,transmigration,transmogrification,transmutation,transposition,transubstantiation 831 - anachronism,antedate,antedating,anticipation,defect,faux pas,flaw,gaffe,metachronism,misapplication,misdate,misdating,mistake,mistiming,parachronism,postdate,postdating,prochronism,prolepsis,slip,solecism 832 - anachronistic,ahead of time,antedated,beforehand,behind time,behindhand,dated,early,foredated,late,metachronistic,misdated,mistimed,out of date,out of season,overdue,parachronistic,past due,postdated,prochronistic,tardy,unpunctual,unseasonable 833 - anaerobe,adenovirus,aerobe,aerobic bacteria,amoeba,anaerobic bacteria,bacillus,bacteria,bacterium,bug,coccus,disease-producing microorganism,echovirus,enterovirus,filterable virus,fungus,germ,gram-negative bacteria,gram-positive bacteria,microbe,microorganism,mold,nonfilterable virus,pathogen,picornavirus,protozoa,protozoon,reovirus,rhinovirus,rickettsia,spirillum,spirochete,spore,staphylococcus,streptococcus,trypanosome,vibrio,virus 834 - anagram,abuse of terms,acrostic,amphibologism,amphiboly,calembour,charade,conundrum,corruption,equivocality,equivoque,jeu de mots,logogram,logogriph,malapropism,metagram,missaying,palindrome,paronomasia,play on words,pun,punning,rebus,riddle,spoonerism,wordplay 835 - anal,abdominal,accordant,appendical,bourgeois,cardiac,cecal,colic,colonic,compulsive,concordant,conformist,conventional,coronary,corresponding,dinky,duodenal,enteric,formalistic,gastric,harmonious,ileac,in accord,in keeping,in line,in step,intestinal,jejunal,kosher,mesogastric,neat,orthodox,pedantic,plastic,precisianistic,pyloric,rectal,shipshape,sleek,slick,smart,snug,splanchnic,spruce,square,straight,stuffy,tidy,tight,traditionalist,trig,trim,uptight,visceral,well-cared-for,well-groomed 836 - analects,Festschrift,adage,album,ana,anthology,aphorism,apothegm,axiom,beauties,byword,canon,catchword,chrestomathy,clippings,collectanea,collected sayings,collected works,collection,compilation,complete works,current saying,cuttings,delectus,dictate,dictum,distich,epigram,excerpta,excerpts,expression,extracts,florilegium,flowers,fragments,garden,garland,gleanings,gnome,golden saying,maxim,miscellanea,miscellany,moral,mot,motto,omnibus,oracle,photograph album,phrase,pithy saying,posy,precept,prescript,proverb,proverbial saying,proverbs,quotation book,saw,saying,scrapbook,sentence,sententious expression,sloka,stock saying,sutra,symposium,teaching,text,verse,wisdom,wisdom literature,wise saying,witticism,word,words of wisdom 837 - analeptic,adjuvant,alterative,bracing,corrective,corroborant,curative,healing,iatric,invigorating,medicative,medicinal,refreshing,remedial,reparative,reparatory,restitutive,restitutory,restorative,reviving,roborant,sanative,sanatory,stimulating,strengthening,therapeutic,theriac,tonic 838 - analgesia,abatement,allayment,alleviation,anesthesia,anesthetizing,anxiety equivalent,appeasement,assuagement,callousness,deadening,deadness,depraved appetite,diminishment,diminution,dulling,dullness,ease,easement,easing,electronarcosis,impassibility,imperception,imperceptiveness,imperceptivity,impercipience,inconsiderateness,insensibility,insensibleness,insensitiveness,insensitivity,insentience,lessening,lulling,mitigation,mollification,narcosis,narcotization,neurasthenia,numbing,numbness,obtuseness,palliation,paresthesia,parorexia,pica,pins and needles,reduction,relief,remedy,salving,softening,soothing,speech abnormality,subduement,thick skin,unfeeling,unfeelingness,unperceptiveness 839 - analgesic,Amytal,Amytal pill,Darvon,Demerol,Dolophine,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Pyramidon,Seconal,Seconal pill,Tuinal,Tuinal pill,acetanilide,acetophenetidin,acetylsalicylic acid,alcohol,alleviating,alleviative,amobarbital sodium,anesthetic,anodyne,aspirin,assuasive,balmy,balsamic,barb,barbiturate,barbiturate pill,benumbing,black stuff,blue,blue angel,blue devil,blue heaven,blue velvet,calmant,calmative,cathartic,chloral hydrate,cleansing,codeine,codeine cough syrup,deadening,demulcent,depressant,depressor,dolly,dope,downer,drug,dulling,easing,emollient,goofball,hard stuff,heroin,hop,horse,hypnotic,junk,knockout drop,knockout drops,laudanum,lenitive,liquor,lotus,meperidine,methadone,mitigating,mitigative,morphia,morphine,narcotic,numbing,opiate,opium,pacifier,pain killer,pain-killer,pain-killing,palliative,paregoric,pen yan,phenacetin,phenobarbital,phenobarbital sodium,purgative,purple heart,quietener,quietening,rainbow,red,relieving,remedial,scag,secobarbital sodium,sedative,shit,sleep-inducer,sleep-inducing,sleeper,sleeping draught,sleeping pill,smack,sodium salicylate,sodium thiopental,softening,somnifacient,somniferous,soother,soothing,soothing syrup,soporific,stunning,stupefying,subduing,tar,tranquilizer,tranquilizing,turps,white stuff,yellow,yellow jacket 840 - analogous,akin,aligned,alike,analogical,answering,coequal,coextending,coextensive,collatable,collateral,commensurable,commensurate,comparable,comparative,complemental,complementary,concurrent,consonant,convertible,correlative,correspondent,corresponding,duplicate,equal,equidistant,equipollent,equispaced,equivalent,even,homologous,interchangeable,kindred,lined up,matchable,matching,much at one,nonconvergent,nondivergent,of a kind,of a piece,of a size,parallel,parallelepipedal,parallelinervate,paralleling,parallelodrome,parallelogrammatic,parallelogrammic,parallelotropic,reciprocal,reciprocative,relative,similar,tantamount,twin,undifferentiated,uniform 841 - analogue,ally,alter ego,analogon,associate,brother,close copy,close match,cognate,companion,complement,congenator,congener,coordinate,correlate,correlative,correspondent,counterpart,each other,equivalent,fellow,image,kindred spirit,like,likeness,match,mate,near duplicate,obverse,one another,parallel,pendant,picture,reciprocal,reciprocatist,reciprocator,second self,similitude,simulacrum,sister,soul mate,such,suchlike,tally,the like of,the likes of,twin 842 - analogy,accordance,affinity,agent,agreement,alignment,alikeness,allegory,alliance,alternate,alternative,ambiguity,aping,approach,approximation,assimilation,backup,balancing,change,changeling,closeness,coextension,collineation,community,comparability,comparative anatomy,comparative degree,comparative grammar,comparative judgment,comparative linguistics,comparative literature,comparative method,compare,comparing,comparison,concurrence,conformity,confrontation,confrontment,contrast,contrastiveness,copy,copying,correlation,correspondence,counterfeit,deputy,distinction,distinctiveness,double,dummy,equal,equidistance,equivalent,equivocation,equivoque,ersatz,exchange,fake,fill-in,ghost,ghostwriter,identity,imitation,likeness,likening,locum tenens,makeshift,matching,metaphor,metonymy,mimicking,nearness,next best thing,nondivergence,opposing,opposition,parallelism,parity,personnel,phony,pinch hitter,proportion,proxy,relation,relief,replacement,representative,resemblance,reserves,ringer,sameness,second string,secondary,semblance,sign,similarity,simile,similitude,simulation,spares,stand-in,sub,substituent,substitute,substitution,succedaneum,superseder,supplanter,surrogate,symbol,synecdoche,tergiversation,third string,token,trope of comparison,understudy,utility player,vicar,vice-president,vice-regent,weighing 843 - analysis,Baconian method,Boolean algebra,Euclidean geometry,Fourier analysis,Lagrangian function,a fortiori reasoning,a posteriori reasoning,a priori reasoning,abstraction,accounting,airing,algebra,algebraic geometry,alteration,analytic geometry,anatomization,anatomy,arithmetic,arrangement,assay,associative algebra,atomization,audit,automatic electronic navigation,binary arithmetic,braking,breakdown,breakup,buzz session,calculus,canvassing,cataloging,categorization,change,checkup,circle geometry,circumstantiation,classification,codification,colloquium,comment,commentary,commentation,computation,conference,consideration,coordination,critical review,criticism,critique,debate,debating,decomposition,deduction,deductive reasoning,deliberation,demarcation,depth interview,depth psychology,descriptive geometry,desynonymization,diaeresis,dialectic,dialogue,differencing,differential calculus,differentiation,discrimination,discussion,disequalization,disintegration,disjunction,dissection,distinction,distinguishment,diversification,division,division algebra,doctrinairism,doctrinality,doctrinarity,dream analysis,dream symbolism,editorial,enquiry,epagoge,equivalent algebras,examination,exchange of views,explanation,fact distribution,filing,forecasts,forum,game theory,generalization,geodesy,geometry,gloss,grading,graphic algebra,group analysis,group theory,grouping,higher algebra,higher arithmetic,hyperbolic geometry,hypothesis and verification,indexing,individualization,individuation,induction,inductive reasoning,inference,infinitesimal calculus,inquest,inquirendo,inquiring,inquiring mind,inquiry,inquisition,inspection,integral calculus,interpretation,interpretation of dreams,intuitional geometry,invariant subalgebra,inverse geometry,investigation,itemization,joint discussion,judgement,leader,leading article,line geometry,linear algebra,logical analysis,logical discussion,manipulation,mathematical physics,matrix algebra,mere theory,metageometry,modification,modular arithmetic,n-tuple linear algebra,natural geometry,nilpotent algebra,nonlinear calibrations,notice,number theory,open discussion,open forum,opinion,output measurement,panel discussion,particularization,perlustration,personalization,philosophical induction,pigeonholing,placement,plane trigonometry,political arithmetic,processing,projective geometry,proper subalgebra,psychanalysis,psychoanalysis,psychoanalytic method,psychoanalytic therapy,psychognosis,psychognosy,psychology of depths,quaternian algebra,ranging,ranking,rap,rap session,rating,record keeping,reducible algebra,remark,report,resolution,review,running commentary,scan,scrutiny,segregation,seminar,separation,set theory,severalization,severance,simple algebra,solid geometry,sorting,specialization,specification,speculation,speculative geometry,spherical trigonometry,statistics,steering,stratification,study,subalgebra,subdivision,supersonic flow detection,survey,syllogism,syllogistic reasoning,symposium,synthesis,systems analysis,tabulation,taxonomy,the couch,theoretic,theoretical basis,theoretics,theoria,theoric,theorization,theory,topology,town meeting,treatment,trig,trigonometry,typology,universal algebra,universal geometry,variation,vector algebra,ventilation,view,write-up,zero algebra 844 - analyst,analyzer,assayer,behavior therapist,clinical psychologist,essayer,examiner,experimenter,headshrinker,hypnotherapist,narcotherapist,psychiatrist,psychoanalyst,psychoanalyzer,psychotherapeutist,psychotherapist,research worker,researcher,shrink,shrinker,test driver,test pilot,tester,tryer-out 845 - analytic,a fortiori,a posteriori,a priori,acute,algebraic,analytical,categorical,classificatory,conditional,deductive,deep,dialectic,discursive,enthymematic,enumerative,epagogic,examinational,examinatorial,examining,explorational,explorative,exploratory,fact-finding,feeling,geometric,groping,heuristic,hypothetical,indagative,inductive,inferential,inspectional,inspectorial,investigational,investigative,investigatory,keen,maieutic,mathematical,numeric,penetrating,piercing,profound,ratiocinative,ratiocinatory,rational,reasoning,schematic,segmental,sharp,soritical,subtle,syllogistic,synthetic,tentative,testing,trying,zetetic 846 - analytical,a fortiori,a posteriori,a priori,algebraic,analytic,categorical,classificatory,conditional,deductive,dialectic,discursive,enthymematic,enumerative,epagogic,examinational,examinatorial,examining,explorational,explorative,exploratory,fact-finding,feeling,geometric,groping,heuristic,hypothetical,indagative,inductive,inferential,inspectional,inspectorial,investigational,investigative,investigatory,maieutic,mathematical,numeric,ratiocinative,ratiocinatory,rational,reasoning,schematic,segmental,soritical,subtle,syllogistic,synthetic,tentative,testing,trying,zetetic 847 - analyze,air,alphabetize,anatomize,apply reason,arrange,assay,assort,atomize,bracket,break down,break up,canvass,catalog,categorize,change,chop logic,class,classify,codify,comment upon,conjugate,consider,contradistinguish,controvert,deal with,debate,decline,decompose,deduce,deliberate,deliberate upon,demarcate,demark,desynonymize,difference,differentiate,digest,discourse about,discriminate,discuss,disequalize,disjoin,dissect,distinguish,diversify,divide,draw the line,examine,exchange views,file,generalize,go into,grade,group,handle,hyphenate,hypothesize,index,individualize,individuate,infer,inflect,inspect,intellectualize,investigate,knock around,list,logicalize,logicize,make a distinction,mark,mark off,mark out,mark the interface,modify,order,parenthesize,parse,part,particularize,pass under review,personalize,philosophize,pick out,pigeonhole,place,point,provide a rationale,punctuate,range,rank,rap,rate,rationalize,reason,reason about,reason the point,reduce,reduce to elements,refine a distinction,resolve,review,screen,screen out,scrutinize,segment,segregate,select,separate,set a limit,set apart,set off,sever,severalize,sieve,sieve out,sift,sift out,sort,sort out,specialize,split hairs,study,subdivide,subtilize,syllogize,synthesize,tabulate,take up,talk,talk about,talk of,talk over,theorize,thresh out,treat,type,use reason,vary,ventilate,winnow 848 - analyzer,analyst,assayer,breaker,centrifuge,cutter,essayer,examiner,experimenter,gas analyzer,mass spectrograph,mass spectrometer,research worker,researcher,scanner,separator,sieve,stripper,test driver,test pilot,tester,tryer-out 849 - analyzing,EDP,appraisal,appraisement,appraising,appreciation,assessing,assessment,classifying,collating,computer technology,computer typesetting,computing,data processing,data retrieval,electronic data processing,estimate,estimation,evaluating,evaluation,evaluative criticism,gauging,high-speed data handling,machine computation,measurement,opinion,ranking,rating,reckoning,reporting,scanning,sorting,valuation,valuing,view,weighing 850 - anapest,Alexandrine,accent,accentuation,amphibrach,amphimacer,anacrusis,antispast,arsis,bacchius,beat,cadence,caesura,catalexis,chloriamb,chloriambus,colon,counterpoint,cretic,dactyl,dactylic hexameter,diaeresis,dimeter,dipody,dochmiac,elegiac,elegiac couplet,elegiac pentameter,emphasis,epitrite,feminine caesura,foot,heptameter,heptapody,heroic couplet,hexameter,hexapody,iamb,iambic,iambic pentameter,ictus,ionic,jingle,lilt,masculine caesura,measure,meter,metrical accent,metrical foot,metrical group,metrical unit,metron,molossus,mora,movement,numbers,paeon,pentameter,pentapody,period,proceleusmatic,pyrrhic,quantity,rhythm,spondee,sprung rhythm,stress,swing,syzygy,tetrameter,tetrapody,tetraseme,thesis,tribrach,trimeter,tripody,triseme,trochee 851 - anaphylactic,allergic,delicate,empathetic,empathic,goosy,hyperesthetic,hyperpathic,hypersensitive,irritable,itchy,nervous,overrefined,oversensible,oversensitive,overtender,passible,prickly,refined,responsive,sensitive,skittish,supersensitive,sympathetic,tactful,tender,tetchy,thin-skinned,ticklish,touchy 852 - anaphylaxis,allergy,considerateness,delicacy,empathy,exquisiteness,fineness,hyperesthesia,hyperpathia,hypersensitivity,identification,irritability,nervousness,oversensibility,oversensitiveness,overtenderness,passibility,perceptiveness,perceptivity,photophobia,prickliness,responsiveness,sensitiveness,sensitivity,sensitization,soreness,supersensitivity,sympathy,tact,tactfulness,tenderness,tetchiness,thin skin,ticklishness,touchiness 853 - anarchic,Bolshevik,Bolshevist,Carbonarist,Castroist,Castroite,Communist,Fenian,Guevarist,Jacobinic,Leninist,Maoist,Marxist,Mau-Mau,Trotskyist,Trotskyite,Vietcong,actionable,against the law,agin the government,amorphic,amorphous,anarchial,anarchistic,angry,anomic,antinomian,arsy-varsy,ass-backwards,baggy,balled up,black-market,blobby,blurred,blurry,blustering,blusterous,blustery,bollixed up,bootleg,chaotic,characterless,chargeable,confused,contraband,contrary to law,criminal,disorderly,disorganized,featureless,felonious,flawed,formless,fouled up,frantic,frenzied,furious,fuzzy,galley-west,hazy,hellish,helter-skelter,higgledy-piggledy,hugger-mugger,illegal,illegitimate,illicit,impermissible,in a mess,inchoate,indecisive,indefinite,indeterminate,inform,infuriate,insensate,irregular,jumbled,justiciable,kaleidoscopic,lawless,lumpen,mad,mindless,misty,mixed up,mucked up,muddled,nihilistic,nonconstitutional,nondescript,nonlegal,nonlicit,obscure,orderless,orgasmic,orgastic,outlaw,outlawed,pandemoniac,punishable,raging,ravening,raving,revolutionist,rip-roaring,sans-culottic,sans-culottish,scattered,screwed up,shapeless,skimble-skamble,snafu,storming,stormy,syndicalistic,tempestuous,terrorist,topsy-turvy,triable,troublous,tumultuous,turbulent,unallowed,unauthorized,unclear,unconstitutional,undefined,under-the-counter,under-the-table,unlawful,unofficial,unordered,unorganized,unruly,unstatutory,unwarrantable,unwarranted,uproarious,upside-down,vague,wild,wrongful 854 - anarchism,Bolshevikism,Bolshevism,Carbonarism,Castroism,Jacobinism,Maoism,Marxism,New Left,Old Left,Sinn Feinism,anarcho-syndicalism,anarchy,antinomianism,chaos,communism,confusion,criminal syndicalism,disorder,disorderliness,disorganization,disruption,distemper,extreme left,extreme left wing,extremism,left-wing extremism,lynch law,misrule,mob law,mob rule,mobocracy,nihilism,not,ochlocracy,primal chaos,radicalism,radicalization,rebellion,revolution,revolutionism,sans-culotterie,sans-culottism,syndicalism,terrorism,tohubohu,turmoil,ultraconservatism,ultraism,unruliness,utopianism 855 - anarchist,Bolshevik,Bolshevist,Bolshie,Carbonarist,Carbonaro,Castroist,Castroite,Charley,Communist,Cong,Fenian,Guevarist,Jacobin,Leninist,Maoist,Marxist,Mau-Mau,Puritan,Red,Red Republican,Roundhead,Sinn Feiner,Trotskyist,Trotskyite,VC,Vietcong,Wobbly,Yankee,Yankee Doodle,anarch,anarcho-syndicalist,antinomian,bonnet rouge,criminal syndicalist,extreme left-winger,extremist,frondeur,insurgent,insurrectionist,left-wing extremist,lunatic fringe,malcontent,mild radical,mutineer,nihilist,parlor Bolshevik,parlor pink,pink,pinko,radical,rebel,red,revel,revolter,revolutionary,revolutionary junta,revolutioner,revolutionist,revolutionizer,sans-culotte,sans-culottist,subversive,syndicalist,terrorist,ultra,ultraist,yippie 856 - anarchistic,actionable,against the law,anarchial,anarchic,anarcho-syndicalist,anomic,antinomian,black-market,bootleg,chaotic,chargeable,contraband,contrary to law,criminal,disorderly,disorganized,extreme,extremist,extremistic,felonious,flawed,illegal,illegitimate,illicit,impermissible,irregular,justiciable,lawless,mildly radical,nihilistic,nonconstitutional,nonlegal,nonlicit,outlaw,outlawed,pink,punishable,radical,red,revolutionary,revolutionist,subversive,syndicalist,syndicalistic,triable,ultraconservative,ultraist,ultraistic,unallowed,unauthorized,unconstitutional,under-the-counter,under-the-table,unlawful,unofficial,unruly,unstatutory,unwarrantable,unwarranted,wrongful 857 - anarchy,aloofness,amorphia,amorphism,amorphousness,anarchism,anarcho-syndicalism,anomie,antinomianism,blurriness,chaos,confusion,criminal syndicalism,criminalism,criminality,diffusion,discontinuity,discreteness,disjunction,dislocation,disorder,disorderliness,disorganization,dispersal,dispersion,disruption,dissolution,distemper,entropy,fabulous formless darkness,formlessness,foul-up,fuzziness,hassle,haziness,illegality,illicit business,illicitness,impermissibility,incoherence,inconsistency,indecisiveness,indefiniteness,indeterminateness,lawlessness,legal flaw,license,lynch law,messiness,misrule,mistiness,mix-up,mob law,mob rule,mobocracy,morass,muddle,nihilism,nonadhesion,noncohesion,obscurity,ochlocracy,orderlessness,outlawry,primal chaos,rebellion,reign of terror,revolution,riot,scattering,screw-up,separateness,shapelessness,snafu,syndicalism,technical flaw,tohubohu,turmoil,unadherence,unadhesiveness,unclearness,unlawfulness,unruliness,untenacity,vagueness,wrongfulness 858 - anathema,abhorrence,abomination,antipathy,arraignment,aversion,ban,bete noire,blame,blasphemy,bugbear,castigation,censure,commination,condemnation,curse,damnation,decrial,denouncement,denunciation,detestation,evil eye,excommunication,excoriation,execration,flaying,fulmination,fustigation,hate,hex,impeachment,imprecation,indictment,leper,malediction,malison,malocchio,outcast,pariah,peeve,pet peeve,phobia,pillorying,proscription,reprehension,reprobation,reproof,skinning alive,stricture,thundering,untouchable,whammy 859 - anatomize,adduce,analyze,assay,atomize,break down,break up,change,chop logic,circumstantiate,cite,decompose,descend to particulars,desynonymize,detail,difference,differentiate,discriminate,disequalize,disjoin,dissect,distinguish,diversify,divide,document,enter into detail,give full particulars,individualize,individuate,instance,itemize,make a distinction,mark,mark off,mark out,modify,particularize,personalize,reduce,reduce to elements,refine a distinction,resolve,segment,segregate,separate,set apart,set off,sever,severalize,specialize,specify,spell out,split hairs,subdivide,substantiate,vary 860 - anatomy,aerobiology,agrobiology,amnion,analysis,analyzation,anatomist,anatomizing,angiography,angiology,animal physiology,anthropography,anthropologist,anthropology,anthropometry,anthropotomy,appendicular skeleton,architectonics,architecture,arrangement,assay,assaying,astrobiology,axial skeleton,bacteriology,behavioral science,biochemics,biochemistry,biochemy,bioecology,biological science,biology,biometrics,biometry,bionics,bionomics,biophysics,bladder,bleb,blister,body,body-build,boll,bones,botany,breakdown,breaking down,breaking up,breakup,build,building,calyx,capsule,carcass,cell,cell physiology,clay,clod,comparative anatomy,composition,conchology,conformation,constitution,construction,corpus,craniology,craniometry,creation,cryobiology,cybernetics,cyst,cytology,demography,diaeresis,dissection,division,docimasy,ecology,electrobiology,embryology,entomology,enzymology,ethnobiology,ethnography,ethnologist,ethnology,ethology,exobiology,exoskeleton,fabric,fabrication,fashion,fashioning,figure,fistula,flesh,follicle,forging,form,format,formation,frame,gallbladder,genetics,geomorphology,getup,gnotobiotics,gravimetric analysis,helminthology,herpetology,histologist,histology,hulk,human ecology,human geography,ichthyology,legume,life science,loculus,make,makeup,making,malacology,mammalogy,manufacture,marsupium,material body,microbiology,mold,molding,molecular biology,morphologist,morphology,myography,myology,organic structure,organism,organization,organography,organology,ornithology,osteography,osteology,pattern,patterning,pericarp,person,pharmacology,physical body,physiology,physique,plan,pocket,pod,production,protozoology,proximate analysis,psychology,quantitative analysis,radiobiology,reduction to elements,resolution,sac,saccule,sacculus,saccus,science of man,scrotum,seedcase,segmentation,semimicroanalysis,separation,setup,shape,shaping,silique,sinus,skeleton,sociologist,sociology,soma,sound,splanchnography,splanchnology,stomach,structure,structuring,subdivision,taxidermy,taxonomy,tectology,tectonics,texture,tissue,torso,trunk,udder,vasculum,ventricle,vesica,vesicle,virology,warp and woof,weave,web,xenobiology,zoogeography,zoography,zoology,zoonomy,zoopathology,zoophysics,zootaxy,zootomy 861 - ancestor,ancestress,announcer,antecedent,ascendant,avant-garde,begetter,bellwether,buccinator,bushwhacker,explorer,forebear,forefather,foregoer,forerunner,front runner,frontiersman,fugleman,grandparent,groundbreaker,guide,harbinger,herald,innovator,lead runner,leader,messenger,parent,pathfinder,pioneer,point,precedent,precursor,predecessor,premise,primogenitor,procreator,progenitor,progenitress,progenitrix,prototype,scout,stormy petrel,trailblazer,trailbreaker,vanguard,vaunt-courier,voortrekker 862 - ancestors,antecedents,apprentice,architect,artificer,artist,ascendants,author,begetter,beginner,builder,conceiver,constructor,craftsman,creator,designer,deviser,discoverer,effector,elders,engenderer,engineer,executor,executrix,father,fathers,forebears,forefathers,founder,generator,grandfathers,grandparents,grower,inaugurator,industrialist,initiator,instigator,institutor,introducer,inventor,journeyman,maker,manufacturer,master,master craftsman,mother,organizer,originator,past master,patriarchs,planner,precursor,predecessors,prime mover,producer,progenitors,raiser,realizer,shaper,sire,smith,wright 863 - ancestral,aboriginal,ancestorial,antepatriarchal,atavistic,autochthonous,fatherlike,fatherly,grandfatherly,grandmotherly,grandparental,humanoid,maternal,mother,motherlike,motherly,parent,parental,paternal,patriarchal,preadamite,preglacial,prehistoric,prehuman,prime,primeval,primitive,primogenial,primoprimitive,primordial,pristine,protohistoric,protohuman 864 - ancestry,affiliation,agnate,agnation,alliance,aristocracy,aristocraticalness,birth,blood,blood relation,blood relationship,blood relative,blue blood,breed,breeding,brotherhood,brothership,clansman,cognate,cognation,collateral,collateral relative,common ancestry,common descent,connection,connections,consanguinean,consanguinity,cousinhood,cousinship,derivation,descent,distaff side,distant relation,distinction,enate,enation,extraction,family,fatherhood,filiation,flesh,flesh and blood,folks,fraternity,genteelness,gentility,german,honorable descent,kin,kindred,kinfolk,kinnery,kinsfolk,kinship,kinsman,kinsmen,kinswoman,kith and kin,line,lineage,maternity,matrilineage,matriliny,matrisib,matrocliny,motherhood,near relation,next of kin,nobility,noble birth,nobleness,origin,paternity,patrilineage,patriliny,patrisib,patrocliny,pedigree,people,posterity,propinquity,quality,race,rank,relation,relations,relationship,relatives,royalty,sib,sibling,sibship,sisterhood,sistership,source,spear kin,spear side,spindle kin,spindle side,stock,sword side,ties of blood,tribesman,uterine kin 865 - anchor,Baldt anchor,Navy anchor,Northill anchor,affix,anchorage,annex,attach,batten,batten down,belay,berth,billet at,bind,bivouac,bower,bridle,burrow,camp,cast anchor,catch,cement,chain,cinch,clamp,clinch,colonize,come to anchor,cramp,dinghy anchor,disembark,dock,domesticate,drag anchor,drogue,drop anchor,drop the hook,enchain,engraft,ensconce,entrammel,establish residence,fasten,fasten down,fetter,fix,floating anchor,fluke,glue,graft,grapnel,grapple,gyve,hamper,handcuff,hive,hobble,hog-tie,holdfast,hook,hopple,imbed,inhabit,kedge,kedge anchor,kedge off,keep house,knit,lash,lash and tie,lay anchor,leash,live at,locate,mainstay,make fast,make secure,make sure,manacle,moor,mooring,mooring buoy,moorings,move,mudhook,mushroom anchor,nest,park,peg down,people,perch,picket,pin,pin down,pinion,plant,populate,put in irons,put to,relocate,reside,restrain,rivet,roost,rope,screw anchor,screw up,sea anchor,secure,security,set,set to,set up housekeeping,set up shop,settle,settle down,shackle,shank,sheet anchor,sit down,slip,squat,stability,stabilizer,stand,starboard anchor,stay at,stock,straitjacket,strap,strike root,support,take residence at,take root,take up residence,tether,tie,tie down,tie up,tighten,trammel,trice up,trim 866 - anchorage,admission,admission fee,anchor,anchorage ground,basin,berth,bourn,breakwater,brokerage,bulkhead,carfare,cellarage,charge,charges,chuck,colonization,cover charge,demand,destination,dock,dockage,dockyard,dry dock,dues,embankment,entrance fee,establishment,exaction,exactment,fare,fee,fixation,foundation,goal,groin,harbor,harborage,haven,hire,hook,inauguration,initiation,installation,installment,investiture,jetty,jutty,landing,landing place,landing stage,last stop,license fee,lodgment,marina,mole,mooring,mooring buoy,moorings,mudhook,peopling,pier,pilotage,plantation,population,port,portage,protected anchorage,quay,riding,road,roads,roadstead,salvage,scot,scot and lot,seaport,seawall,settlement,settling,shipyard,shot,slip,stop,stopping place,storage,terminal,terminal point,terminus,toll,towage,wharf,wharfage 867 - anchored,aground,caught,chained,fast,fastened,fixed,grounded,held,high and dry,impacted,inextricable,jammed,moored,packed,riveted,set,settled,staple,stated,stranded,stuck,stuck fast,tethered,tied,transfixed,wedged 868 - anchorite,Albigensian,Catharist,Diogenes,Franciscan,Hieronymian,Hieronymite,Sabbatarian,Timon of Athens,Trappist,Waldensian,abstainer,anchoress,ascetic,bedridden invalid,bhikshu,cloistered monk,closet cynic,dervish,desert fathers,desert saints,eremite,fakir,flagellant,hermit,hermitess,homebody,invalid,isolationist,loner,marabout,mendicant,outcast,pariah,pillar saint,pillarist,puritan,recluse,sannyasi,seclusionist,shut-in,solitaire,solitary,solitudinarian,stay-at-home,stylite,yogi,yogin 869 - ancient,Bronze Age man,Hominidae,Iron Age man,Stone Age man,abiding,aboriginal,aborigine,advanced,advanced in life,advanced in years,age-long,age-old,aged,ageing,ageless,along in years,antediluvian,anthropoid,antiquated,antique,ape-man,archaic,auld,autochthon,better,brass hat,bushman,bygone,cave dweller,caveman,chronic,constant,continuing,dateless,diuturnal,doddering,doting,durable,earlier,early,elder,elderly,enduring,erstwhile,evergreen,fading,fore,forgotten,former,fossil,fossil man,fossilized,golden-ager,gray,gray with age,gray-haired,gray-headed,grey,grown old,hardy,higher-up,hoar,hoary,hominid,humanoid,immemorial,immutable,intransient,inveterate,lasting,late,long-lasting,long-lived,long-standing,long-term,longeval,longevous,macrobiotic,man of old,missing link,obsolescent,obsolete,of long duration,of long standing,of old,of yore,old,old as Methuselah,old as history,old as time,old-fashioned,old-time,old-timer,olden,once,onetime,past,patriarchal,perdurable,perduring,perennial,permanent,perpetual,persistent,persisting,preadamite,prehistoric,prehistoric man,prehuman,previous,primal,primate,primeval,primitive,primordial,prior,pristine,protohuman,quondam,recent,remaining,remote,sempervirent,senectuous,senior,senior citizen,sinking,sometime,stable,staying,steadfast,superannuated,then,timeless,timeworn,tough,traditional,troglodyte,unfading,venerable,vital,waning,wasting,white,white with age,white-bearded,white-crowned,white-haired,wrinkled,wrinkly,years old 870 - ancillary,accessory,accompanying,additional,adjuvant,another,appurtenant,assistant,assisting,attendant,attending,auxiliary,coincident,collateral,contributory,extra,farther,fostering,fresh,further,helping,incident,instrumental,ministerial,ministering,ministrant,more,new,nurtural,nutricial,other,plus,satellite,serving,spare,subservient,subsidiary,supernumerary,supplemental,supplementary,surplus,ulterior 871 - andante,a poco,adagietto,adagio,allargando,allegretto,allegro,andante tempo,andantino,beat,calando,claudication,compound time,crawl,creep,crescendo,dead march,decrescendo,diminuendo,dogtrot,duple time,footpace,forte,fortissimo,funeral march,hobble,jog,jog trot,larghetto,larghissimo,largo,legato,leisurely gait,lento,limp,lumbering pace,marcando,march tempo,mincing steps,mixed times,pianissimo,piano,pizzicato,plod,prestissimo,presto,rack,rag,ragtime,rallentando,ritardando,ritenuto,rubato,saunter,scherzando,scherzo,sextuple time,shamble,shuffle,simple time,slouch,slow march,slow motion,spiccato,staccato,stretto,stroll,syncopation,syncope,tempo,tempo rubato,three-quarter time,time,time pattern,timing,triple time,triplet,trudge,two-four time,waddle,walk,waltz time 872 - andiron,chain,coal tongs,crane,crook,damper,fire hook,fire tongs,firedog,grate,grating,grid,griddle,gridiron,grill,griller,lifter,poker,pothook,salamander,spit,tongs,tripod,trivet,turnspit 873 - androgyny,androgynism,effeminacy,effeminateness,epicenism,epicenity,feminism,gynandrism,gynandry,hermaphroditism,intersexualism,intersexuality,muliebrity,prissiness,pseudohermaphroditism,sissiness,transsexualism,transsexuality,unmanliness,womanishness 874 - anemia,Christmas disease,Hand-Schuller-Christian disease,Letterer-Siwe syndrome,Lombardy leprosy,abscess,acute leukemia,adynamia,ague,angiohemophilia,ankylosis,anoxia,aplastic anemia,apnea,ariboflavinosis,ashiness,asphyxiation,asthma,ataxia,atony,atrophy,backache,beriberi,blah feeling,bleeding,blennorhea,bloodlessness,cachexia,cachexy,cadaverousness,chill,chills,chloranemia,chlorosis,chronic leukemia,colic,constipation,convulsion,coughing,cowardice,cyanosis,cyclic neutropenia,deathly hue,deathly pallor,debilitation,debility,deficiency anemia,dermatitis,diarrhea,dimness,dizziness,dropsy,dullness,dysentery,dyspepsia,dyspnea,edema,emaciation,erythrocytosis,etiolation,exsanguination,fadedness,fainting,faintness,fairness,fatigue,feebleness,fever,fibrillation,flabbiness,flaccidity,flux,ghastliness,goiter,greensickness,growth,haggardness,hemoglobinopathy,hemophilia,hemophilia A,hemophilia B,hemorrhage,high blood pressure,hydrops,hypertension,hypochromia,hypochromic anemia,hypotension,icterus,impotence,indigestion,infectious granuloma,inflammation,insomnia,iron deficiency anemia,itching,jaundice,keratomalacia,kwashiorkor,labored breathing,languishment,languor,lassitude,leukemia,leukemic reticuloendotheliosis,lightness,listlessness,lividness,low blood pressure,lumbago,macrocytic anemia,maidism,malnutrition,marasmus,muddiness,multiple myeloma,myelogenous leukemia,nasal discharge,nausea,necrosis,neutropenia,night blindness,osteomalacia,osteoporosis,pain,paleness,pallidity,pallidness,pallor,paralysis,pastiness,pellagra,pernicious anemia,plasma cell leukemia,plasmacytoma,polycythemia,prison pallor,prostration,protein deficiency,pruritus,pseudoleukemia,purpura,purpura hemorrhagica,rachitis,rash,rheum,rickets,sallowness,sclerosis,scurvy,seizure,shock,sickle-cell anemia,sickliness,sickly hue,skin eruption,sluggishness,sneezing,softness,sore,spasm,strengthlessness,struma,tabes,tachycardia,thalassemia,tumor,upset stomach,vascular hemophilia,vertigo,vitamin deficiency,vomiting,wanness,wasting,weakliness,weakness,weariness,xerophthalmia 875 - anemic,achromatic,achromic,allergic,apoplectic,arthritic,ashen,ashy,asthenic,bilious,bled white,bloodless,cadaverous,cancerous,chicken,chloranemic,chlorotic,colicky,colorless,consumptive,cowardly,dead,deadly pale,deathly pale,debilitated,dim,dimmed,dingy,discolored,drooping,droopy,dropsical,dull,dyspeptic,edematous,effete,encephalitic,epileptic,etiolated,exsanguinated,exsanguine,exsanguineous,faded,faint,faintish,fallow,feeble,flabby,flaccid,flat,floppy,ghastly,gone,gray,gutless,haggard,hueless,hypochromic,imbecile,impotent,lackluster,languid,languorous,laryngitic,leaden,leprous,limber,limp,listless,livid,luetic,lurid,lusterless,lustless,malarial,malignant,marrowless,mat,mealy,measly,muddy,nephritic,nerveless,neuralgic,neuritic,neutral,pale,pale as death,pale-faced,pallid,palsied,paralytic,pasty,phthisic,pithless,pleuritic,pneumonic,pocky,podagric,pooped,powerless,rachitic,rheumatic,rickety,rubbery,sallow,sapless,scorbutic,scrofulous,sickly,sinewless,slack,soft,spineless,strengthless,tabetic,tabid,tallow-faced,toneless,tubercular,tuberculous,tumorigenic,tumorous,uncolored,unhardened,unnerved,unstrung,wan,washed-out,waterish,watery,waxen,weak,weakly,whey-faced,white 876 - anemology,Beaufort scale,aerography,aerology,anemometry,barometric wind rose,barometry,climatography,climatology,dynamic wind rose,forecasting,long-range forecasting,meteorology,microclimatology,nephology,pneumatics,rain wind rose,temperature wind rose,weatherology,wind arrow,wind direction,wind force,wind marker,wind rose 877 - anemometer,Mach meter,accelerometer,anemograph,anemometrograph,anemoscope,cock,ground log,harpoon log,log,log line,patent log,speedometer,tachometer,taffrail log,vane,weather vane,weathercock,wind cone,wind gauge,wind indicator,wind sock,wind vane,wind-speed indicator 878 - anesthesia,abatement,allayment,alleviation,analgesia,anesthetizing,anxiety equivalent,appeasement,assuagement,autism,callousness,catatonia,chill,chilliness,cold blood,cold heart,coldheartedness,coldness,coolness,deadening,deadness,deadpan,depraved appetite,diminishment,diminution,dispassion,dispassionateness,dulling,dullness,ease,easement,easing,electronarcosis,emotional deadness,emotionlessness,frigidity,frostiness,heartlessness,iciness,immovability,impassibility,impassiveness,impassivity,imperception,imperceptiveness,imperceptivity,impercipience,inconsiderateness,inexcitability,insensibility,insensibleness,insensitiveness,insensitivity,insentience,lack of affect,lack of feeling,lack of touch,lessening,lulling,mitigation,mollification,narcosis,narcotization,neurasthenia,numbing,numbness,objectivity,obtuseness,palliation,paresthesia,parorexia,passionlessness,pica,pins and needles,poker face,reduction,relief,remedy,salving,self-absorption,softening,soothing,soullessness,speech abnormality,spiritlessness,straight face,subduement,thick skin,unemotionalism,unexcitability,unfeeling,unfeelingness,unimpressibility,unimpressionableness,unpassionateness,unperceptiveness,unresponsiveness,unsusceptibility,unsympatheticness,untouchability,withdrawal 879 - anesthetic,Mickey Finn,Pentothal,alleviating,alleviative,analgesic,anodyne,assuasive,balmy,balsamic,benumbing,cathartic,chloroform,cleansing,cocaine,deadening,demulcent,dope,drug,dull,dulling,easing,emollient,ether,ethyl chloride,ethylene,gas,hard,hypnotic,impassible,impenetrable,impermeable,impervious,insensate,insensitive,knockout drop,lenitive,lullaby,mandrake,menthol,mitigating,mitigative,morphia,morphine,narcotic,nightcap,nitrous oxide,numbing,obtuse,opiate,opium,pain-killer,pain-killing,palliative,poppy,purgative,relieving,remedial,rocky,sedative,sleep-bringer,sleep-inducer,sleep-producer,sleeping pill,softening,somnifacient,soothing,soporific,stunning,stupefying,subduing,tranquilizer 880 - anesthetize,KO,abate,allay,alleviate,appease,assuage,bedaze,benumb,besot,blunt,chloroform,coldcock,cushion,deaden,deaden the pain,desensitize,diminish,dope,drug,dull,ease,ease matters,entrance,etherize,foment,freeze,give relief,hypnotize,kayo,knock out,knock senseless,knock stiff,knock unconscious,lay,lay out,lessen,lull,lull to sleep,magnetize,mesmerize,mitigate,mollify,narcotize,numb,obtund,pad,palliate,palsy,paralyze,poultice,pour balm into,pour oil on,put to sleep,put under,reduce,relieve,rock to sleep,salve,sedate,slacken,slake,soften,soothe,stun,stupe,stupefy,subdue,trance 881 - anesthetized,affectless,arctic,asleep,autistic,benumbed,blunt,cataleptic,catatonic,chill,chilly,cold,cold as charity,cold-blooded,coldhearted,comatose,cool,dead,deadened,dispassionate,doped,dozy,dreamy,drowsy,drugged,drugged with sleep,dull,emotionally dead,emotionless,frigid,frosted,frosty,frozen,half asleep,heartless,heavy,heavy with sleep,heavy-eyed,icy,immovable,impassible,impassive,in a stupor,inexcitable,insensible,insensitive,insusceptible,languid,lethargic,napping,narcoleptic,narcose,narcotized,narcous,nodding,nonemotional,numbed,objective,obtuse,oscitant,out of it,out of touch,passionless,sedated,self-absorbed,senseless,sleep-drowned,sleep-drunk,sleep-filled,sleep-swollen,sleepful,sleepy,slumberous,slumbery,snoozy,somnolent,soporific,soulless,spiritless,stretchy,stuporose,stuporous,unaffectionate,unemotional,unfeeling,unimpassioned,unimpressionable,unloving,unpassionate,unresponding,unresponsive,unsusceptible,unsympathetic,untouchable,yawning,yawny 882 - anew,ab ovo,afresh,again,another time,as new,bis,da capo,de novo,ditto,encore,freshly,from scratch,from the beginning,lately,new,newly,of late,once again,once more,over,over again,recently,twice over,two times,yet again 883 - anfractuous,ambagious,circuitous,circumlocutory,cochlear,cochleate,convoluted,convolutional,corkscrew,corkscrewy,flexuose,flexuous,helical,helicoid,involute,involuted,involutional,labyrinthine,mazy,meandering,meandrous,rivose,rivulose,roundabout,ruffled,screw-shaped,scrolled,serpentine,sinuate,sinuose,sinuous,snaky,spiral,spiroid,torsional,tortile,tortuous,turbinal,turbinate,turning,twisting,twisty,verticillate,volute,voluted,whorled,winding,wreathlike,wreathy 884 - angel,Dionysus,Maecenas,Santa Claus,abettor,admirer,advocate,aficionado,almoner,almsgiver,ancestral spirits,angelology,angels,apologist,archangels,assignor,attendant godling,awarder,babe,baby,baby-doll,backer,bestower,buff,buttercup,champion,cheerful giver,cherub,cherubim,chick,chickabiddy,child,conferrer,consignor,contributor,control,daemon,darling,dear,deary,defender,demon,dependence,doll,dominations,dominions,donator,donor,dove,duck,duckling,encourager,endorser,exponent,fairy godmother,familiar,familiar spirit,fan,favorer,feoffor,financer,friend at court,funder,genius,genius domus,genius loci,giver,good angel,good genius,grantor,great soul,grubstaker,guarantor,guardian,guardian angel,guardian spirit,guide,guru,holy man,hon,honey,honey bunch,honey child,household gods,imparter,infant,innocent,invisible helper,lady bountiful,lamb,lambkin,lares and penates,lares compitales,lares familiaris,lares permarini,lares praestites,lares viales,love,lover,mahatma,mainstay,maintainer,manes,meal ticket,mere child,ministering angel,newborn babe,numen,paranymph,partisan,patron,patroness,penates,pet,petkins,philanthropist,powers,precious,precious heart,presenter,principalities,promoter,protagonist,reliance,rishi,saint,second,seconder,sectary,seraphim,settler,sider,snookums,special providence,sponsor,staker,stalwart,standby,starets,subscriber,sugar,sugar daddy,support,supporter,surety,sustainer,sweet,sweetheart,sweetie,sweetkins,sweets,sympathizer,testate,testator,testatrix,thrones,totem,tutelar god,tutelary,upholder,virtues,votary,vouchsafer,well-wisher 885 - angelic,Christlike,Christly,God-fearing,admirable,adorable,archangelic,beatified,blameless,canonized,caressable,celestial,charming,cherubic,childlike,clear,cuddlesome,dovelike,faultless,glorified,godlike,godly,godly-minded,good,guiltless,heavenly,holy,holy-minded,honest,in glory,in the clear,incorrupt,innocent,just,kissable,lamblike,likable,lovable,lovely,lovesome,martyred,moral,not guilty,offenseless,otherworldly,prelapsarian,pristine,pure,pure in heart,purehearted,redeemed,reproachless,right-minded,righteous,sainted,saintlike,saintly,sans reproche,saved,seraphic,sinless,spiritual,spiritual-minded,straight,sweet,uncorrupted,undefiled,unearthly,unfallen,unlapsed,untouched by evil,unworldly,upright,virtuous,winning,winsome,with clean hands,without reproach 886 - Angelus,Angelus bell,Ave,Ave Maria,Hail Mary,Kyrie Eleison,Paternoster,aid prayer,alarm,alarum,appeal,battle cry,beadroll,beads,beseechment,bidding prayer,birdcall,breviary,bugle call,call,chaplet,collect,communion,contemplation,devotions,entreaty,grace,impetration,imploration,intercession,invocation,last post,litany,meditation,moose call,obsecration,obtestation,orison,petition,prayer,prayer wheel,rallying cry,rebel yell,reveille,rogation,rosary,silent prayer,suit,summons,supplication,taps,thanks,thanksgiving,trumpet call,war cry,whistle 887 - anger,a transient madness,acedia,affront,aggravate,angriness,annoy,annoyance,antagonism,ardency,ardor,arouse,asperity,avarice,avaritia,bad humor,bad temper,bile,biliousness,blow up,boil,boil over,bridle,bridle up,bristle,bristle up,burn,causticity,chafe,choler,corrosiveness,dander,deadly sin,discontent,displease,displeasure,dudgeon,dutch,eagerness,enrage,enragement,envy,exasperate,exasperation,excite,excitement,fervency,fervidity,fervidness,fervor,flare up,flip out,fret,fury,gall,get mad,get sore,gluttony,grapes of wrath,greed,gula,heat,hit the ceiling,huff,ill humor,ill nature,ill temper,incense,incite,indignation,inflame,infuriate,infuriation,invidia,ira,irateness,ire,irk,irritability,irritate,irritation,kindle,love,lust,luxuria,mad,madden,make angry,make mad,make sore,monkey,nettle,offend,outrage,pet,pique,pride,provoke,rage,rant,rave,reach boiling point,resentment,rile,saeva indignatio,see red,seethe,sexual desire,sloth,soreness,sourness,spleen,steam up,stew,storm,superbia,temper,tick off,umbrage,vex,vexation,vials of wrath,wrath,wrathfulness 888 - angina,ache,aching,angina pectoris,aortic insufficiency,aortic stenosis,apoplectic stroke,apoplexy,arrhythmia,arteriosclerosis,atherosclerosis,atrial fibrillation,auricular fibrillation,backache,bellyache,beriberi heart,cardiac arrest,cardiac insufficiency,cardiac shock,cardiac stenosis,cardiac thrombosis,carditis,cephalalgia,colic,collywobbles,congenital heart disease,cor biloculare,cor juvenum,cor triatriatum,coronary,coronary insufficiency,coronary thrombosis,diastolic hypertension,earache,encased heart,endocarditis,extrasystole,fatty heart,fibroid heart,flask-shaped heart,fret,frosted heart,gnawing,gripe,gripes,gut-ache,hairy heart,headache,heart attack,heart block,heart condition,heart disease,heart failure,heartburn,hemicrania,high blood pressure,hypertension,hypertensive heart disease,ischemic heart disease,megrim,migraine,mitral insufficiency,mitral stenosis,myocardial infarction,myocardial insufficiency,myocarditis,myovascular insufficiency,odontalgia,otalgia,ox heart,palpitation,paralytic stroke,paroxysmal tachycardia,pericarditis,pile,premature beat,pseudoaortic insufficiency,pulmonary insufficiency,pulmonary stenosis,pyrosis,rheumatic heart disease,round heart,sclerosis,sick headache,splitting headache,stomachache,stony heart,stroke,tachycardia,throbbing pain,thrombosis,toothache,tricuspid insufficiency,tricuspid stenosis,turtle heart,varicose veins,varix,ventricular fibrillation 889 - angle for,address,ask for,beat about for,bid for,canvass,court,delve for,dig for,fish for,follow,go gunning for,gun for,hunt,hunt for,hunt up,look,look for,look up,pop the question,prowl after,pursue,quest,search for,see to,seek,seek for,solicit,still-hunt,sue,sue for,try to find,woo 890 - angle,Anschauung,L,action,aim,anagnorisis,angle for,angle of vision,angle off,apex,approach,architectonics,architecture,argument,aspect,atmosphere,background,bait the hook,base,basis,be after,bear off,bend,bias,bifurcate,bifurcation,bight,bob,bow,branch,brew,cabal,cant,catastrophe,characterization,chevron,clam,coign of vantage,coin,collude,color,complication,complot,concoct,configuration,connive,conspire,continuity,contrivance,contrive,cook up,corner,countermine,counterplot,crank,crook,crotchet,cusp,dap,deflect,deflection,denouement,design,detail,development,deviate,device,dib,dibble,direction,distance,divagate,diverge,dogleg,drive,edge,effect,eidolon,elbow,ell,engineer,episode,eye,fable,facet,falling action,fashion,feature,figure,finagle,finesse,fish,fish for,flection,flexure,fly-fish,footing,fork,form,frame,frame of reference,frame up,framework,furcate,furcation,gerrymander,gestalt,gig,gimmick,go fishing,grig,ground,guddle,guise,hand,hatch,hatch a plot,hatch up,hook,hunt for,image,imago,impression,incident,inflection,intersection,intrigue,item,jack,jacklight,jig,jockey,knee,lay a plot,light,likeness,line,lineaments,local color,look,look for,machinate,maneuver,manipulate,manner,mental outlook,mood,motif,movement,mythos,net,nook,oblique,oblique angle,operate,outlook,particular,peripeteia,perspective,phase,phasis,place,plan,play games,plot,point,point of view,position,post,projection,pull strings,quoin,recognition,reference,reference system,regard,respect,rig,right angle,rising action,salient angle,scheme,seat,secondary plot,seek,seeming,seine,semblance,shape,sheer,shrimp,side,sight,simulacrum,situation,skew,slant,slue,spin,stand,standing,standpoint,station,status,still-fish,story,structure,style,subject,subplot,sway,swerve,switch,system,thematic development,theme,tone,topic,torch,total effect,trawl,troll,try for,turn,turning,twist,universe,vantage,vantage point,veer,venue,vertex,view,viewpoint,wangle,whale,wise,zag,zig,zigzag 891 - Anglicism,Americanism,Briticism,Frenchism,Gallicism,Hibernicism,Irishism,Latinism,Scotticism,Yankeeism,chauvinism,flag waving,jingoism,love of country,nationalism,nationality,overpatriotism,patriotics,patriotism,ultranationalism 892 - angry,acid,acrimonious,aggravated,algetic,anarchic,angered,annoyed,blustering,blusterous,blustery,bothered,browned off,browned-off,bugged,burning,burnt-up,caustic,chafed,chaotic,choleric,cloudy,corrosive,cross,cyclonic,dirty,discontented,disturbed,enraged,exasperated,feeling evil,festering,fiery,foul,frantic,frenzied,fuming,furious,galled,griped,heated,hellish,in a temper,incensed,indignant,inflamed,infuriate,infuriated,insensate,irascible,irate,ireful,irked,irritable,irritated,livid,mad,maddened,miffed,mindless,nettled,orgasmic,orgastic,out of humor,out of sorts,out of temper,pandemoniac,peeved,perturbed,piqued,pissed,pissed off,pissed-off,provoked,put out,raging,rainy,rankling,ravening,raving,raw,red,red-faced,resentful,riled,riled up,riley,rip-roaring,roiled,ruffled,sensitive,shirty,smarting,sore,splenetic,storming,stormy,tempestuous,tender,ticked off,tingling,tornadic,troubled,troublous,tumultuous,turbulent,typhonic,typhoonish,up in arms,uproarious,upset,uptight,vexed,waxy,wild,wild-eyed,worked up,wrathful,wrathy,wroth,wrought up,wrought-up 893 - angst,agitation,all-overs,anguish,anxiety,anxiety hysteria,anxiety neurosis,anxious bench,anxious concern,anxious seat,anxiousness,apprehension,apprehensiveness,boredom,cankerworm of care,care,cheerlessness,concern,concernment,discomfort,discomposure,discontent,dislike,displeasure,disquiet,disquietude,dissatisfaction,distress,disturbance,dread,dullness,emptiness,ennui,existential woe,fear,flatness,foreboding,forebodingness,grimness,inquietude,joylessness,lack of pleasure,malaise,misgiving,nausea,nervous strain,nervous tension,nervousness,nongratification,nonsatisfaction,overanxiety,painfulness,perturbation,pins and needles,pucker,savorlessness,solicitude,spleen,staleness,stew,strain,suspense,tastelessness,tediousness,tedium,tension,trouble,uncomfortableness,unease,uneasiness,unhappiness,unpleasure,unquietness,unsatisfaction,upset,vexation,vexation of spirit,zeal 894 - anguish,ache,aching heart,afflict,affliction,aggrieve,agonize,agony,agony of mind,ail,angst,anxiety,atrocious pain,bale,barb the dart,bitterness,blanch,bleed,bleeding heart,blench,boredom,break down,bring to tears,broken heart,bruise,care,carking care,cheerlessness,crucifixion,crush,crushing,cut,cut up,depression,depth of misery,desolate,desolation,despair,discomfort,discomposure,discontent,dislike,displeasure,disquiet,dissatisfaction,distress,disturb,dole,draw tears,dread,dullness,embitter,emptiness,ennui,excruciation,existential woe,extremity,feel pain,feel the pangs,flatness,go hard with,grief,grieve,grimace,grimness,have a misery,heartache,heartbreak,heartfelt grief,heartgrief,heavy heart,hurt,hurt the feelings,infelicity,inquietude,inundate,joylessness,lack of pleasure,lamentation,languishment,malaise,martyrdom,martyrization,melancholia,melancholy,misery,nausea,nongratification,nonsatisfaction,oppress,overwhelm,pain,painfulness,pang,pierce,pining,pound,prick,prostrate,prostration,rack,regret,rue,sadness,savorlessness,shoot,shrink,smart,sorrow,sorrowing,spleen,stab,staleness,sting,suffer,suffer anguish,suffering,suicidal despair,tastelessness,tediousness,tedium,thrill,throb,tingle,torment,torture,trouble,twinge,twist the knife,twitch,uncomfortableness,unease,uneasiness,unhappiness,unpleasure,unsatisfaction,upset,vexation of spirit,wince,woe,worry,wound,wretchedness,writhe 895 - anguished,aching,aggrieved,anxious,bleeding,bored,bruised,careworn,cheerless,cut,depressed,disgusted,doleful,dolorous,dumb with grief,grief-stricken,griefful,grieved,grievous,grim,hurt,in grief,injured,joyless,lamentable,lugubrious,mauled,mournful,nauseated,nauseous,pained,plaintive,plangent,pleasureless,plunged in grief,prey to malaise,repelled,revolted,rueful,sad,sickened,sorrowed,sorrowful,sorrowing,stung,suffering angst,tearful,uneasy,unfulfilled,ungratified,unhappy,unquiet,unsatisfied,woeful,wounded 896 - angular,V-shaped,Y-shaped,akimbo,bent,bony,cornered,crooked,crotched,crude,forked,furcal,furcate,gaunt,geniculate,geniculated,hooked,jagged,knee-shaped,lank,lanky,pointed,raw,rawboned,rough,roughhewn,rude,saw-toothed,sawtooth,scraggy,scrawny,serrate,sharp,sharp-cornered,skinny,spare,undressed,unfashioned,unfinished,unpolished,unworked,weedy,zigzag 897 - anhydrous,Saharan,arid,athirst,bone-dry,desert,droughty,dry,dry as dust,dusty,high and dry,juiceless,like parchment,sandy,sapless,thirsting,thirsty,undamped,unwatered,waterless 898 - anility,advanced age,advanced years,age of retirement,an incurable disease,caducity,childishness,debility,decline,decline of life,declining years,decrepitude,dotage,dotardism,eld,elderliness,feebleness,green old age,hale old age,hoary age,infirm old age,infirmity,infirmity of age,longevity,old age,oldness,pensionable age,ricketiness,ripe old age,second childhood,senectitude,senile debility,senile dementia,senile psychosis,senile weakness,senilism,senility,senior citizenship,superannuation,the downward slope,the golden years,vale of years,white hairs 899 - anima,anima humana,animating force,animus,atman,ba,bathmism,beating heart,biological clock,biorhythm,blood,breath,breath of life,buddhi,coconscious,collective unconscious,conscience,conscious self,death instinct,divine breath,divine spark,ego,ego ideal,ego-id conflict,elan vital,essence of life,ethical self,force of life,foreconscious,growth force,heart,heartbeat,heartblood,id,impulse of life,inner man,inspiriting force,jiva,jivatma,khu,libidinal energy,libido,life breath,life cycle,life essence,life force,life principle,life process,lifeblood,living force,manes,mind,motive force,nephesh,persona,personality,pleasure principle,pneuma,prana,preconscious,primitive self,psyche,psychic apparatus,purusha,racial unconscious,ruach,seat of life,self,shade,shadow,soul,spark of life,spirit,spiritual being,spiritus,subconscious,subconscious mind,subliminal,subliminal self,submerged mind,superego,the self,unconscious,unconscious mind,vis vitae,vis vitalis,vital energy,vital flame,vital fluid,vital force,vital impulse,vital principle,vital spark,vital spirit 900 - animadversion,accusation,adverse criticism,aspersion,bad notices,bad press,captiousness,carping,cavil,caviling,censoriousness,censure,criticism,exception,faultfinding,flak,hairsplitting,hit,home thrust,hostile criticism,hypercriticalness,hypercriticism,imputation,insinuation,knock,nagging,niggle,niggling,nit,nit-picking,obloquy,overcriticalness,pestering,pettifogging,priggishness,quibble,quibbling,rap,reflection,reprehension,reproachfulness,slam,slur,stricture,swipe,taking exception,trichoschistism 901 - animal kingdom,Animalia,and fish,animal life,animality,beasts,beasts of field,beasts of prey,big game,birds,blood,breed,brood,brute creation,cattle,chain of being,clan,class,class structure,deme,domain,domestic animals,establishment,family,fauna,folk,furry creatures,game,gens,hierarchy,house,kind,kingdom,line,lineage,livestock,matriclan,mineral kingdom,nation,natural hierarchy,order,patriclan,pecking order,people,phratry,phyle,plant kingdom,power structure,pyramid,race,realm,sept,small game,species,stem,stirps,stock,strain,totem,tribe,vegetable kingdom,wild animals,wildlife 902 - animal spirits,animate existence,animation,being alive,birth,capersomeness,coltishness,elan,esprit,existence,exuberance,friskiness,frolicsomeness,gaiety,gamesomeness,gayness,gusto,having life,heartiness,immortality,life,lifetime,liveliness,living,long life,longevity,piss and vinegar,playfulness,rollicksomeness,rompishness,skittishness,spirit,spiritedness,spirits,sportiveness,sprightliness,spriteliness,verve,viability,vigor,vim,vitality,vivacity,zest,zestfulness,zip 903 - animal worship,Druidism,Parsiism,Sabaism,Zoroastrianism,demonism,demonolatry,devil worship,fetishism,fire worship,heathenism,hero worship,iconoduly,iconolatry,idol worship,idolatrousness,idolatry,idolism,idolodulia,idolomancy,image worship,paganism,phallic worship,phallicism,pyrolatry,snake worship,star worship,sun worship,tree worship 904 - animal,Adamic,Angora goat,Arctic fox,Belgian hare,Caffre cat,Circean,Draconian,Goth,Gothic,Indian buffalo,Kodiak bear,Neanderthal,Tartarean,Virginia deer,aardvark,aardwolf,alpaca,ammonite,animalian,animalic,animalistic,ankylosaur,anteater,antelope,antelope chipmunk,anthropophagite,anthropophagous,aoudad,apar,aphrodisiomaniacal,archaeohippus,archaeotherium,archelon,armadillo,arthrodiran,ass,atrocious,aurochs,badger,bandicoot,barbarian,barbaric,barbarous,bassarisk,bat,bawdy,bear,beast,beastlike,beastly,beaver,being,bestial,bettong,binturong,bison,black bear,black buck,black cat,black fox,black sheep,bloodthirsty,bloody,bloody-minded,blue fox,bobcat,bodily,bothriolepis,brachiosaur,brontops,brontothere,brown bear,brush deer,brush wolf,brutal,brutalized,brute,brutelike,brutish,buffalo,buffalo wolf,burro,burro deer,cachalot,camel,camelopard,cannibal,cannibalistic,capybara,carabao,caribou,carnal,carpincho,cat,cat-a-mountain,catamount,cattalo,cavy,chamois,cheetah,chevrotain,chinchilla,chipmunk,cinnamon bear,clitoromaniacal,coarse,coccostean,coelodont,compsognathus,concupiscent,coon,coon cat,coryphodon,cotton mouse,cotton rat,cotylosaur,cougar,cow,coyote,coypu,creature,creeping thing,creodont,critter,crossopterygian,crude,cruel,cruel-hearted,cur,cynodictis,deer,deer tiger,demoniac,demoniacal,destroyer,devilish,diabolic,diatryma,dimetrodon,dingo,dinichthyid,dinothere,diplodocus,dirty,dog,donkey,dormouse,dromedary,duck-billed dinosaur,dumb,dumb animal,dumb friend,earthy,echidna,edaphosaurid,eland,elasmosaur,elephant,elk,ermine,erotic,eroticomaniacal,erotomaniacal,eryopsid,eurypterid,eyra,fallen,fallow deer,fell,feral,ferine,ferocious,ferret,field mouse,fiendish,fiendlike,fierce,fisher,fitch,fleshly,flying phalanger,foumart,fox,fox squirrel,gazelle,gemsbok,genet,giant sloth,giraffe,glutton,glyptodont,gnu,gnu goat,goat,goat antelope,goatish,gopher,grizzly bear,gross,ground squirrel,groundhog,guanaco,guinea pig,gynecomaniacal,hadrosaur,hamster,hare,harnessed antelope,hartebeest,hedgehog,hellish,hippopotamus,hog,horny,horse,hot,hound,hyena,hyrax,hysteromaniacal,ibex,ill-bred,impolite,infernal,inhuman,inhumane,insect,instinctive,instinctual,ithyphallic,jackal,jackass,jackrabbit,jaguar,jaguarundi,jerboa,jerboa kangaroo,kaama,kangaroo,kangaroo mouse,kangaroo rat,karakul,kinkajou,kit fox,koala,lapin,lapsed,lascivious,lecherous,lemming,leopard,leopard cat,lewd,libidinous,lickerish,lion,living being,living thing,llama,lubricious,lustful,lynx,mammal,mammoth,man-eater,mara,marmot,marten,mastodon,material,materialistic,meerkat,mindless,mink,mole,mongoose,mongrel,monster,moose,mouflon,mountain goat,mountain lion,mountain sheep,mouse,mule,mule deer,muntjac,murderous,musk deer,musk hog,musk-ox,muskrat,musquash,nihilist,nilgai,noncivilized,nonrational,nonspiritual,nutria,nymphomaniacal,obscene,ocelot,okapi,onager,oont,opossum,organism,orgiastic,otter,ounce,outlandish,ox,pack rat,painter,palaeodictyopteron,palaeoniscid,palaeophis,palaeosaur,palaeospondylus,panda,pangolin,panther,peccary,peludo,pelycosaur,phalanger,physical,phytosaur,pig,pine mouse,platypus,plesiosaur,pocket gopher,pocket mouse,pocket rat,polar bear,polar fox,polecat,porcupine,possum,postlapsarian,pouched rat,poyou,prairie dog,prairie wolf,priapic,primitive,pronghorn,protoceratops,protylopus,prurient,pteranodon,pteraspid,pterichthys,pterodactyl,pterosaur,puma,rabbit,raccoon,randy,rat,red deer,red squirrel,reindeer,reptile,rhinoceros,roe,roe deer,roebuck,rough-and-ready,rude,ruthless,sable,sadistic,salacious,sanguinary,sanguineous,satanic,satyric,sauropod,savage,scelidosaur,sensual,serpent,serval,sexual,sexy,shark,sharkish,sheep,shrew,shrew mole,sika,silver fox,skunk,slavering,sloth,smilodon,snake,snowshoe rabbit,springbok,squirrel,stoat,subhuman,suslik,swamp rabbit,swine,swinish,takin,tamandua,tamarin,tapir,tarpan,tatou,tatou peba,tatouay,tiger,tiger cat,timber wolf,titanosaur,trachodon,tree shrew,triceratops,trilobite,troglodyte,troglodytic,truculent,tyrannosaur,uintathere,unchristian,uncivil,uncivilized,uncombed,uncouth,uncultivated,uncultured,unhuman,unkempt,unlicked,unpolished,unrefined,unspiritual,untamed,urus,vandal,varmint,vermin,vicious,viper,vole,wallaby,warthog,water buffalo,waterbuck,weasel,wharf rat,whelp,whistler,white fox,wild,wild ass,wild boar,wild goat,wild man,wild ox,wildcat,wildebeest,wolf,wolfish,wolverine,wombat,wood rat,woodchuck,woolly mammoth,worm,wrecker,yak,zebra,zebu,zoic,zooid,zooidal,zoologic,zoological,zoril 905 - animalism,Adam,Marxism,animality,atomism,beastliness,behaviorism,bestiality,brutality,brutishness,carnal nature,carnal-mindedness,carnality,coarseness,commonsense realism,dialectical materialism,earthiness,earthliness,empiricism,epiphenomenalism,fallen nature,fallen state,flesh,fleshliness,grossness,historical materialism,hylomorphism,hylotheism,hylozoism,lapsed state,lasciviousness,lecherousness,lechery,licentiousness,lustfulness,materialism,mechanism,natural realism,naturalism,new realism,nonspirituality,physicalism,physicism,positive philosophy,positivism,postlapsarian state,pragmaticism,pragmatism,realism,representative realism,secularism,sensualism,sensuality,substantialism,swinishness,temporality,the Old Adam,the beast,the flesh,the offending Adam,unchastity,unspirituality,voluptuousness,worldliness 906 - animalistic,Adamic,Circean,animal,animalian,animalic,beastlike,beastly,bestial,bodily,brutal,brute,brutelike,brutish,carnal,carnal-minded,coarse,dumb,earthy,fallen,fleshly,gross,instinctive,instinctual,lapsed,material,materialistic,mindless,nonrational,nonspiritual,orgiastic,physical,postlapsarian,subhuman,swinish,unspiritual,zoic,zooidal,zoologic 907 - animality,Adam,Animalia,Gothicism,Neanderthalism,acuteness,and fish,animal kingdom,animal life,animalism,atrociousness,atrocity,barbarism,barbarity,barbarousness,bawdiness,beastliness,beasts,beasts of field,beasts of prey,bestiality,big game,birds,bloodiness,bloodlust,bloodthirst,bloodthirstiness,bloody-mindedness,brutality,brutalness,brute creation,brutishness,cannibalism,carnal nature,carnal-mindedness,carnality,cattle,clitoromania,coarseness,concupiscence,cruelness,cruelty,destructiveness,dirtiness,domestic animals,earthiness,eroticism,eroticomania,erotomania,extremity,fallen nature,fallen state,fauna,ferociousness,ferocity,fiendishness,fierceness,flesh,fleshliness,force,furiousness,furor uterinus,furry creatures,game,goatishness,grossness,gynecomania,harshness,horniness,hysteromania,ill breeding,impetuosity,impoliteness,incivility,inclemency,inhumaneness,inhumanity,intensity,lapsed state,lasciviousness,lecherousness,lechery,lewdness,libidinousness,lickerishness,livestock,lubriciousness,lubricity,lust,lustfulness,maleness,malignity,masculinity,materialism,mercilessness,mindlessness,murderousness,nonspirituality,nymphomania,obscenity,philistinism,pitilessness,postlapsarian state,prurience,pruriency,randiness,rigor,roughness,ruthlessness,sadism,sadistic cruelty,salaciousness,salacity,sanguineousness,satyriasis,satyrism,savagery,savagism,sensuality,severity,sexiness,sexuality,sharpness,small game,stock,swinishness,terrorism,the Old Adam,the beast,the flesh,the offending Adam,troglodytism,truculence,uncivilizedness,uncouthness,uncultivatedness,uncultivation,unculturedness,ungentleness,unrefinement,unspirituality,uteromania,vandalism,vehemence,venom,viciousness,violence,virility,virulence,wanton cruelty,wild animals,wildlife,wildness 908 - animate,aboveground,activate,activated,active,actuate,alert,alive,alive and kicking,among the living,animated,arouse,biological,biotic,boost,brace,brace up,breathe life into,breathing,brighten,bring into being,bring into existence,bring to life,brisk,brisken,buck up,buoy up,call into being,call into existence,cant,capable of life,cheer,chirk up,common gender,compel,conceive,conscious,drive,drive on,dynamic,dynamize,electrify,embolden,embue,encourage,endow with life,endowed with life,energize,energized,enliven,enlivened,exalt,excite,exhilarate,existent,feminine,fillip,fire,fire up,force,fortify,forward,foster,fresh up,freshen,freshen up,galvanize,gay,gender,give a lift,give an impetus,give birth,give life to,give momentum,gladden,goad,hearten,imbue,impel,in the flesh,inanimate,incite,infect,inflame,inform,infuse,infuse life into,inject,inoculate,inspire,inspirit,inspirited,instinct with life,invigorate,jazz up,keen,kindle,live,lively,liven,living,long-lived,masculine,motivate,move,move to action,moving,nerve,neuter,organic,organized,pep up,perk up,physiological,pick up,pique,power,promote,propel,provoke,put in motion,quick,quicken,reanimate,recreate,refresh,refreshen,regale,reinforce,reinvigorate,rejoice,rejoice the heart,renew,resuscitate,revitalize,revive,revivify,rouse,set agoing,set going,set in motion,set up,sharpen,snap up,spark,spirit,spirit up,spirited,sprightly,spur on,steel,stimulate,stir,strengthen,tenacious of life,thrust,very much alive,viable,vital,vitalize,vivacious,vivified,vivify,warm,whet,whip on,zip up,zoetic 909 - animated cartoon,3-D,Cinemascope,Cinerama,Technicolor,Western,black-and-white film,caricature,cartoon,chiller,cinema,color film,comic book,comic strip,comics,creepie,documentary,documentary film,educational film,feature,film,flick,flicker,funnies,horror picture,horse opera,motion picture,motion-picture show,movie,moving picture,newsreel,nudie,photodrama,photoplay,picture,picture show,pornographic film,preview,short,silent,silent film,skin flick,sneak preview,spaghetti Western,talkie,talking picture,thriller,trailer,underground film 910 - animated,aboveground,activated,active,activist,activistic,actuated,acute,aggressive,alert,alive,alive and kicking,all agog,among the living,animate,antic,anxious,ardent,automated,avid,bouncing,bouncy,breathing,breathless,breezy,brisk,bubbly,bursting to,cant,capable of life,capersome,chipper,coltish,conscious,desirous,dynamic,eager,ebullient,effervescent,endowed with life,energetic,energized,enlivened,enterprising,enthusiastic,excited,exhilarated,existent,exuberant,fervent,forceful,forcible,forward,frisky,frolicsome,full of beans,full of go,full of life,full of pep,gamesome,gay,go-go,hearty,high-spirited,impassioned,impatient,impelled,impetuous,in the flesh,incisive,inclined,inner-directed,inspirited,instinct with life,intense,invigorated,keen,kinetic,lifelike,live,lively,living,long-lived,lusty,mechanical,mercurial,mettlesome,militant,minded,motivated,moved,moving,other-directed,panting,passionate,peppy,perky,pert,playful,prompt,prompted,quick,quicksilver,raring to,ready,ready and willing,reanimated,recharged,recreated,refreshed,renewed,revived,robust,rollicking,rollicksome,rompish,skittish,smacking,snappy,spanking,spirited,sportive,sprightly,spry,stimulated,strenuous,strong,take-charge,take-over,tenacious of life,trenchant,very much alive,viable,vibrant,vigorous,vital,vivacious,vivid,vivified,zestful,zesty,zingy,zippy,zoetic 911 - animation,activity,actuation,afflatus,aggravation,agitation,alacrity,animal spirits,animate existence,animating spirit,animus,anxiety,anxiousness,appetite,ardency,ardor,arousal,arousing,avidity,avidness,being alive,birth,breathless impatience,breeziness,brio,briskness,bubbliness,capersomeness,cheerful readiness,coltishness,dash,direction,divine afflatus,dynamism,eagerness,ebullience,effervescence,elan,electrification,energizing,energy,enlivening,enlivenment,enthusiasm,esprit,exacerbation,exasperation,excitation,excitement,exhilaration,existence,exuberance,fervor,fire,firing,fomentation,forwardness,friskiness,frolicsomeness,gaiety,galvanization,gamesomeness,gayness,genius,glow,gust,gusto,having life,heartiness,immortality,impatience,impetuosity,impetus,incitement,infection,inflammation,influence,infuriation,infusion,inner-direction,inspiration,intensity,invigoration,irritation,joie de vivre,keen desire,keenness,lathering up,life,lifetime,liveliness,living,long life,longevity,lustiness,mettle,motivation,moving,moving spirit,moxie,oomph,other-direction,pep,peppiness,perkiness,pertness,perturbation,piss and vinegar,pizzazz,playfulness,prompting,promptness,provocation,quickening,quickness,readiness,revitalization,revival,robustness,rollicksomeness,rompishness,skittishness,spirit,spiritedness,spirits,sportiveness,sprightliness,spriteliness,steaming up,stimulation,stimulus,stirring,stirring up,verve,viability,vigor,vim,vitality,vitalization,vivaciousness,vivacity,vivification,warmth,whipping up,working up,zest,zestfulness,zing,zip 912 - animism,Berkeleianism,Hegelianism,Kantianism,Neoplatonism,Platonic form,Platonic idea,Platonism,absolute idealism,allotheism,animatism,form,heathendom,heathenism,heathenry,hylozoism,idealism,idolatry,immaterialism,metaphysical idealism,monistic idealism,pagandom,paganism,paganry,panpsychism,personalism,psychism,solipsism,spiritualism,subjectivism,transcendental,universal 913 - animosity,acerbity,acid,acidity,acidulousness,acrimony,animus,antagonism,antipathy,asperity,bad blood,bad feeling,bile,bitter feeling,bitter resentment,bitterness,bitterness of spirit,causticity,choler,contempt,detestation,disaffinity,enmity,feud,gall,gnashing of teeth,hard feelings,hardheartedness,hatred,heartburning,hostility,ill blood,ill feeling,ill will,immediate dislike,loathing,malevolence,malice,personality conflict,rancor,rankling,resentment,slow burn,soreness,sourness,spleen,vendetta,venom,virulence,vitriol 914 - animus,acrimony,afflatus,aim,ambition,anima,animating spirit,animation,animosity,antagonism,antipathy,appetence,appetency,appetite,aptitude,aspiration,bad blood,bent,bias,bitter feeling,bitterness,cast,character,choice,command,conation,conatus,constitution,counsel,decision,desideration,desideratum,design,desire,determination,diathesis,discretion,discrimination,disposition,divine afflatus,eccentricity,effect,elan vital,enlivenment,exhilaration,fancy,feud,fire,firing,fixed purpose,free choice,free will,function,genius,grain,grudge,hard feelings,hostility,idea,idiosyncrasy,ill blood,ill feeling,ill will,inclination,individualism,infection,infusion,inspiration,intendment,intent,intention,kidney,leaning,liking,lust,make,makeup,meaning,mental set,mettle,mind,mind-set,mold,motive,moving spirit,nature,nisus,objective,passion,plan,pleasure,pneuma,point,predilection,predisposition,preference,prejudice,proclivity,project,propensity,proposal,prospectus,psyche,purpose,rancor,resolution,resolve,sake,set,sexual desire,slant,soreness,sourness,spirit,stamp,strain,streak,stripe,striving,study,temper,temperament,tendency,turn,turn of mind,twist,type,velleity,vendetta,venom,view,virulence,vital force,vitriol,volition,warp,will,will power,wish 915 - anion,acid,acidity,agent,alkali,alkalinity,alloisomer,antacid,atom,base,biochemical,cation,chemical,chemical element,chromoisomer,compound,copolymer,dimer,electrocoating,electroetching,electrogalvanization,electrogilding,electrograving,electrolysis,electrolyte,electroplating,element,galvanization,heavy chemicals,high polymer,homopolymer,hydracid,inorganic chemical,ion,ionization,ionogen,isomer,macromolecule,metamer,molecule,monomer,neutralizer,nonacid,nonelectrolyte,organic chemical,oxyacid,polymer,pseudoisomer,radical,reagent,sulfacid,trimer 916 - ankh,Calvary cross,Christogram,Greek cross,Jerusalem cross,Latin cross,Maltese cross,Russian cross,T,X,avellan cross,chi,chi-rho,christcross,crisscross,cross,cross ancre,cross botonee,cross bourdonee,cross fitche,cross fleury,cross formee,cross fourchee,cross grignolee,cross moline,cross of Cleves,cross of Lorraine,cross patee,cross recercelee,cross-crosslet,crossbones,crosslet,crucifix,cruciform,crux,crux ansata,crux capitata,crux decussata,crux gammata,crux immissa,crux ordinaria,dagger,ex,exing,fork cross,gammadion,inverted cross,long cross,papal cross,pectoral cross,potent cross,rood,saltire,swastika,tau,trefled cross,voided cross 917 - ankle deep,cursory,deep,deep-cut,deep-down,deep-engraven,deep-fixed,deep-laid,deep-lying,deep-reaching,deep-rooted,deep-seated,deep-set,deep-settled,deep-sinking,deep-sunk,deep-sunken,deepish,deepsome,depthless,epidermal,jejune,knee-deep,light,not deep,on the surface,profound,shallow,shallow-rooted,shoal,skin-deep,slight,superficial,surface,thin,trivial,unprofound 918 - ankle,articulation,bayonet legs,boundary,bowlegs,butt,calf,cervix,clinch,closure,cnemis,connecting link,connecting rod,connection,coupling,dovetail,drumstick,elbow,embrace,foreleg,gamb,gambrel,gigot,gliding joint,ham,hind leg,hinge,hinged joint,hip,hock,interface,jamb,join,joining,joint,juncture,knee,knuckle,leg,limb,link,miter,mortise,neck,pivot,pivot joint,podite,popliteal space,rabbet,scarf,scissor-legs,seam,shank,shin,shoulder,stems,stitch,stumps,suture,symphysis,tarsus,tie rod,toggle,toggle joint,trotters,union,weld,wrist 919 - annalist,Boswell,advertising writer,art critic,author,authoress,autobiographer,autobiographist,belletrist,bibliographer,biographer,calendar maker,calendarist,chronicler,chronographer,chronologer,chronologist,clockmaker,coauthor,collaborator,columnist,compiler,composer,copywriter,creative writer,critic,dance critic,diarist,drama critic,dramatist,encyclopedist,essayist,free lance,free-lance writer,genealogist,ghost,ghostwriter,historian,historiographer,horologist,humorist,inditer,literary artist,literary craftsman,literary critic,literary man,litterateur,logographer,magazine writer,man of letters,memorialist,monographer,music critic,newspaperman,novelettist,novelist,pamphleteer,penwoman,poet,prose writer,reviewer,scenario writer,scenarist,scribe,scriptwriter,short-story writer,storyteller,technical writer,timekeeper,timer,watchmaker,word painter,wordsmith,writer 920 - annals,Clio,Muse of history,account,adventures,autobiography,biographical sketch,biography,case history,catalog,check sheet,chronicle,chronicles,chronology,clock card,confessions,correspondence,curriculum vitae,date slip,datebook,daybook,diary,documentation,experiences,fortunes,hagiography,hagiology,historiography,history,inventory,journal,legend,letters,life,life and letters,life story,list,log,martyrology,memoir,memoirs,memorabilia,memorial,memorials,necrology,obituary,photobiography,pipe roll,profile,record,recording,register,registry,relic,remains,resume,roll,rolls,roster,rota,scroll,story,table,theory of history,time book,time chart,time scale,time schedule,time sheet,time study,timecard,timetable,token,trace,vestige 921 - annex,L,abstract,accession,accessory,accompaniment,accroach,acquire,add,addenda,addendum,additament,addition,additive,additory,additum,adjoin,adjunct,adjuvant,affix,agglutinate,anchor,and,annexation,appanage,append,appendage,appendant,appropriate,appurtenance,appurtenant,arm,arrogate,associate,attach,attachment,augment,augmentation,bag,belay,block,boost,borrow,burden,cabbage,cement,cinch,clamp,clinch,coda,collar,collectivize,commandeer,communalize,communize,complement,complicate,concomitant,confiscate,conjoin,connect,continuation,cop,corollary,cramp,crib,decorate,defraud,distrain,ell,embezzle,encumber,engraft,expropriate,extension,extort,extrapolation,fasten,filch,fix,fixture,gain,garnish,get at,get hold of,glom on to,glue on,grab,graft,grapple,have,hitch on,hook,impound,impress,increase,increment,infix,join,join with,knit,land,lay hands on,levy,lift,link,make fast,make off with,moor,nationalize,nip,obtain,offshoot,ornament,palm,paste on,pendant,pick up,pilfer,pinch,plus,poach,postfix,preempt,prefix,press,procure,purloin,put to,put with,reinforcement,replevin,replevy,run away with,rustle,saddle with,screw up,scrounge,secure,seize,sequester,sequestrate,set,set to,shoplift,side effect,side issue,slap on,snare,snatch,snitch,socialize,steal,subjoin,suffix,superadd,superpose,supplement,swindle,swipe,tack on,tag,tag on,tailpiece,take,take on,take over,take possession,take up,thieve,tighten,trice up,trim,undergirding,unite,unite with,walk off with,wing 922 - annexation,abstraction,accession,accessory,accompaniment,addenda,addendum,additament,addition,additive,additory,additum,adhesive,adjunct,adjunction,adjuvant,affixation,agglutination,angary,annex,annexure,appanage,appendage,appendant,appropriation,appurtenance,appurtenant,attachment,augment,augmentation,binding,bond,boosting,clasping,coda,collectivization,commandeering,communalization,communization,complement,concomitant,confiscation,continuation,conversion,conveyance,corollary,distraint,distress,embezzlement,eminent domain,execution,expropriation,extension,extrapolation,fastener,fastening,filching,fixture,fraud,garnishment,girding,graft,hooking,impoundment,impressment,increase,increment,joining,junction,juxtaposition,knot,lashing,levy,liberation,lifting,ligation,nationalization,offshoot,pendant,pilferage,pilfering,pinching,poaching,prefixation,reinforcement,right of angary,scrounging,sequestration,shoplifting,side effect,side issue,snatching,sneak thievery,snitching,socialization,splice,stealage,stealing,sticking,suffixation,superaddition,superfetation,superjunction,superposition,supplement,supplementation,swindle,swiping,tailpiece,theft,thievery,thieving,tieing,undergirding,uniting,zipping 923 - annihilate,abate,abolish,abrogate,abscind,amputate,annul,ban,bar,bereave of life,blot out,bob,bring to naught,cancel,carry away,carry off,chloroform,clip,crop,cull,cut,cut away,cut down,cut off,cut out,decimate,demolish,deprive of life,deracinate,destroy,dispatch,dispose of,do away with,do for,do to death,dock,efface,eliminate,end,enucleate,eradicate,erase,except,excise,exclude,execute,expunge,exterminate,extinguish,extirpate,finish,finish off,immolate,invalidate,isolate,kill,knock off,launch into eternity,liquidate,lop,lynch,make away with,martyr,martyrize,massacre,murder,mutilate,negate,negative,nip,nullify,obliterate,pare,peel,pick out,poison,prune,purge,put away,put down,put to death,put to sleep,quash,quell,quench,raze,remove,remove from life,repeal,revoke,root out,root up,rout,ruin,rule out,sacrifice,set apart,set aside,shave,shear,slay,squash,stamp out,starve,strike off,strip,strip off,suppress,sweep away,take life,take off,take out,truncate,unbuild,undo,uproot,vitiate,void,wipe out,wrack,wreck 924 - annihilation,abolishment,abolition,abscission,amputation,annulment,bane,biological death,cessation of life,choking,choking off,clinical death,crossing the bar,curtains,death,death knell,debt of nature,decease,demise,departure,deracination,destruction,dissolution,doom,dying,ebb of life,elimination,end,end of life,ending,eradication,eternal rest,excision,exclusion,exit,expiration,extermination,extinction,extinguishment,extirpation,final summons,finger of death,going,going off,grave,hand of death,jaws of death,knell,last debt,last muster,last rest,last roundup,last sleep,leaving life,liquidation,loss of life,making an end,mutilation,negation,nullification,parting,passing,passing away,passing over,perishing,purge,quietus,release,rescission,rest,reward,rooting out,sentence of death,shades of death,shadow of death,silencing,sleep,snuffing out,somatic death,stifling,strangulation,suffocation,summons of death,suppression,uprooting,voiding 925 - anniversary,Admission Day,Arbor Day,Armed Forces Day,Armistice Day,Army Day,Bastille Day,Colorado Day,Constitution Day,Decoration Day,Dewali,Discovery Day,Double Ten,Easter Monday,Election Day,Empire Day,Evacuation Day,Flag Day,Foundation Day,Fourth of July,Groundhog Day,Halifax Day,Halloween,Holi,Ides of March,Kuhio Day,Labor Day,Lenin Memorial Day,Loyalty Day,Maryland Day,May Day,Mecklenburg Day,Memorial Day,Midsummer Day,National Aviation Day,Navy Day,Nevada Day,Pan American Day,Pascua Florida Day,Pioneer Day,Remembrance Day,Roosevelt Day,State Day,Texas Independence Day,United Nations Day,V-E Day,Victory Day,West Virginia Day,Wyoming Day,anniversaries,annual holiday,bicentenary,bicentennial,biennial,birthday,bissextile day,celebrating,celebration,centenary,centennial,ceremony,commemoration,decennial,diamond jubilee,dressing ship,fanfare,fanfaronade,festivity,flourish of trumpets,golden wedding anniversary,holiday,holy days,immovable feast,jubilee,leap year,marking the occasion,memorialization,memory,name day,natal day,observance,octennial,ovation,quadrennial,quasquicentennial,quincentenary,quincentennial,quinquennial,rejoicing,religious rites,remembrance,revel,rite,ritual observance,salute,salvo,septennial,sesquicentennial,sextennial,silver wedding anniversary,solemn observance,solemnization,tercentenary,tercentennial,testimonial,testimonial banquet,testimonial dinner,toast,tribute,tricennial,triennial,triumph,wedding anniversary 926 - annotation,adversaria,aide-memoire,apparatus criticus,comment,commentary,commentation,docket,entry,exegesis,footnote,gloss,item,jotting,marginal note,marginalia,memo,memoir,memorandum,memorial,minutes,notation,note,note of explanation,register,registry,reminder,scholia,scholium,word of explanation 927 - announce,advertise,affirm,allege,annunciate,antecede,antedate,anticipate,argue,assert,assever,asseverate,attest,augur,aver,avouch,avow,be before,be early,bespeak,betoken,blazon,break the news,bring word,broadcast,bruit about,circulate,come before,communicate,confirm,contend,declare,declare roundly,disclose,divulge,enunciate,express,forebode,forecast,forerun,foreshow,foretell,give a report,give notice,give tidings of,harbinger,have,herald,hint at,hold,impart,inform,insist,intimate,issue a manifesto,issue a statement,lay down,maintain,make a statement,make an announcement,make known,make public,manifesto,notify,portend,preannounce,precede,precurse,predate,predicate,predict,preexist,preindicate,presage,present,proclaim,profess,promulgate,pronounce,propound,protest,publicize,publish,publish a manifesto,put,put forth,put it,put out,rehearse,relate,report,reveal,rumor,run before,say,set down,set forth,show forth,signal,sound,speak,speak out,speak up,stand for,stand on,state,submit,suggest,tell,testify,usher in,witness,write up 928 - announcement,account,acquaintance,ad,advert,advertisement,affirmance,affirmation,allegation,annunciation,assertion,asseveration,averment,avouchment,avowal,blue book,briefing,broadcast,bulletin,bulletin board,circular,commercial,communication,communique,conclusion,conveyance,creed,data,datum,declaration,dictum,directory,disclosure,dispatch,edict,encyclical,enlightenment,enunciation,evidence,facts,factual information,familiarization,gen,general information,giving,guidebook,handout,hard information,impartation,imparting,impartment,incidental information,info,information,instruction,intelligence,ipse dixit,knowledge,light,manifesto,mention,message,notice,notification,position,position paper,positive declaration,predicate,predication,presentation,proclamation,profession,program,programma,promotional material,promulgation,pronouncement,pronunciamento,proof,proposition,protest,protestation,public notice,publication,publicity,release,report,say,say-so,saying,sharing,sidelight,spot,stance,stand,statement,telling,the dope,the goods,the know,the scoop,transfer,transference,transmission,transmittal,ukase,utterance,vouch,white book,white paper,word 929 - announcer,AFTRA,DJ,MC,adviser,ancestor,anchor,anchor man,anchorman,annunciator,antecedent,authority,avant-garde,bellman,bellwether,broadcaster,buccinator,buccinator novi temporis,bushwhacker,channel,commentator,communicant,communicator,crier,disk jockey,emcee,enlightener,enunciator,expert witness,explorer,forebear,foregoer,forerunner,foreshadower,front runner,frontiersman,fugleman,gossipmonger,grapevine,groundbreaker,guide,harbinger,herald,informant,information center,information medium,informer,innovator,interviewee,lead runner,leader,master of ceremonies,messenger,monitor,mouthpiece,news commentator,newscaster,newsmonger,notifier,nunciate,pathfinder,pioneer,point,precedent,precursor,predecessor,premonitor,presager,presenter,press,proclaimer,program director,programmer,public relations officer,publisher,radio,radiobroadcaster,reporter,scout,sound-effects man,source,spokesman,sportscaster,stormy petrel,television,teller,tipster,tout,town crier,trailblazer,trailbreaker,vanguard,vaunt-courier,voortrekker,weatherman,witness 930 - annoy,abrade,agent provocateur,aggravate,agitate,amplify,arouse,augment,awake,awaken,badger,bait,be at,bedevil,beleaguer,beset,blow the coals,blow up,bother,bristle,brown off,bug,build up,bullyrag,burn up,call forth,call up,chafe,chivy,deepen,deteriorate,devil,discompose,distemper,distress,disturb,dog,embitter,enhance,enkindle,enlarge,enrage,exacerbate,exasperate,excite,exercise,fan,fan the fire,fan the flame,fash,feed the fire,fire,flame,foment,frenzy,fret,gall,get,get at,gnaw,gripe,harass,harry,hassle,heat,heat up,heckle,hector,heighten,hot up,hound,huff,impassion,incense,incite,increase,inflame,infuriate,intensify,irk,irritate,key up,kindle,lather up,light the fuse,light up,madden,magnify,make acute,make worse,miff,molest,move,nag,needle,nettle,nudzh,overexcite,peeve,persecute,perturb,pester,pick on,pique,plague,pluck the beard,pother,provoke,rankle,ride,rile,roil,rouse,rub,ruffle,set astir,set fire to,set on fire,set up,sharpen,sour,steam up,stir,stir the blood,stir the embers,stir the feelings,stir up,summon up,tease,torment,trouble,try the patience,turn on,tweak the nose,upset,vex,wake,wake up,waken,warm,warm the blood,whip up,work into,work up,worry,worsen 931 - annoyance,ado,adverse circumstances,adversity,affliction,aggravation,amplification,anger,annoyingness,anxiety,augmentation,aversion,bad news,bedevilment,besetment,blight,bore,bother,botheration,bothering,bothersomeness,bummer,can of worms,care,contentiousness,crashing bore,cross,curse,deepening,deliberate aggravation,deterioration,devilment,difficulties,difficulty,disadvantage,disapprobation,disapproval,discontent,disgust,dislike,displeasure,dissatisfaction,distaste,distress,dogging,downer,drag,embittering,embitterment,enhancement,enlargement,evil,exacerbation,exasperation,great ado,harassment,hard knocks,hard life,hard lot,hardcase,hardship,harrying,headache,heightening,hounding,inconvenience,increase,indignation,intensification,ire,irking,irksomeness,irritant,irritation,magnification,matter,molestation,nuisance,pain,peck of troubles,persecution,peskiness,pest,pester,pestering,pestiferousness,pique,plague,plaguesomeness,plight,pother,predicament,pressure,problem,provocation,provoking,provokingness,repugnance,repulsion,resentfulness,resentment,revulsion,riding,rigor,sea of troubles,sharpening,souring,stress,stress of life,teasing,tiresomeness,trial,tribulation,trouble,troubles,troublesomeness,vale of tears,vexation,vexatiousness,vexing,vicissitude,wearisomeness,worriment,worrisomeness,worry,worsening,wrath 932 - annoyed,aggravated,amplified,angry,anxious,augmented,beset,bothered,browned-off,bugged,burnt-up,chafed,deliberately provoked,distressed,disturbed,embarrassed,embittered,enhanced,enlarged,exacerbated,exasperated,galled,griped,harassed,heated up,heightened,hotted up,huffy,inconvenienced,increased,intensified,irked,irritated,magnified,miffed,nettled,peeved,perturbed,piqued,plagued,provoked,put to it,put-out,puzzled,resentful,riled,roiled,ruffled,sore beset,soured,troubled,vexed,worried,worse,worsened 933 - annoying,aggravating,aggravative,backbreaking,besetting,bothering,bothersome,burdensome,chafing,contentious,crushing,disquieting,distressful,distressing,disturbing,exasperating,exasperative,fretting,galling,grueling,harassing,heavy,hefty,importunate,importune,irking,irksome,irritating,onerous,oppressive,painful,pesky,pestering,pestiferous,pestilent,pestilential,plaguesome,plaguey,plaguing,provocative,provoking,teasing,tiresome,tormenting,troublesome,troubling,trying,upsetting,vexatious,vexing,wearisome,worrisome,worrying 934 - annual,Domesday Book,account,account book,account rendered,accounting,acta,address book,adversaria,album,amphibian,angiosperm,appointment calendar,appointment schedule,aquatic plant,biannual,biennial,bimonthly,biweekly,blankbook,blotter,brief,bulletin,calendar,cashbook,catalog,catamenial,census report,centenary,centennial,classified catalog,commonplace book,cosmopolite,court calendar,cutting,daily,daybook,decennial,deciduous plant,desk calendar,diary,dicot,dicotyledon,diptych,diurnal,docket,election returns,engagement book,ephemeral,ephemeris,evergreen,exotic,flowering plant,fortnightly,fungus,gametophyte,gazette,gymnosperm,hebdomadal,hourly,hydrophyte,journal,ledger,log,logbook,loose-leaf notebook,magazine,memo book,memorandum book,memory book,menstrual,minutes,momentary,momently,monocot,monocotyl,monthly,newsmagazine,notebook,organ,pad,perennial,periodical,petty cashbook,pictorial,plant,pocket notebook,pocketbook,police blotter,polycot,polycotyl,polycotyledon,proceedings,quarterly,quotidian,report,returns,review,scrapbook,scratch pad,seasonal,secular,seed plant,seedling,semestral,semiannual,semimonthly,semiweekly,semiyearly,serial,slick magazine,spermatophyte,spiral notebook,sporophyte,statement,table,tablet,tally,tertian,thallophyte,the record,trade magazine,transactions,triennial,triptych,vascular plant,vegetable,weed,weekly,workbook,writing tablet,yearbook,yearly 935 - annuity,accident insurance,actuary,aid,alimony,allotment,allowance,assistance,assurance,aviation insurance,bail bond,bond,bounty,business life insurance,casualty insurance,certificate of insurance,court bond,credit insurance,credit life insurance,deductible,depletion allowance,dole,endowment insurance,family maintenance policy,fellowship,fidelity bond,fidelity insurance,financial assistance,flood insurance,fraternal insurance,government insurance,grant,grant-in-aid,guaranteed annual income,health insurance,help,industrial life insurance,insurance,insurance agent,insurance broker,insurance company,insurance man,insurance policy,interinsurance,liability insurance,license bond,limited payment insurance,major medical insurance,malpractice insurance,marine insurance,mutual company,ocean marine insurance,old-age insurance,pecuniary aid,pension,permit bond,policy,price support,public assistance,public welfare,relief,retirement benefits,robbery insurance,scholarship,social security,stipend,stock company,subsidization,subsidy,subvention,support,tax benefit,term insurance,theft insurance,underwriter,welfare,welfare aid,welfare payments 936 - annul,abate,abolish,abrogate,abstract,annihilate,black out,blot out,bring to naught,bring to nothing,buffer,cancel,cancel out,come to nothing,counteract,counterbalance,countercheck,countermand,counterorder,delete,disannul,discharge,dispose of,dissolve,divorce,do away with,efface,eliminate,expunge,extinguish,frustrate,grant a divorce,grant an annulment,invalidate,make void,negate,negativate,negative,neutralize,nullify,obliterate,obtain a divorce,offset,outweigh,overbalance,override,overrule,part,put asunder,put away,quash,recall,recant,redress,remove,renege,repeal,rescind,retract,reverse,revoke,separate,set aside,split up,stultify,sue for divorce,suspend,thwart,undo,unmarry,untie the knot,vacate,vitiate,void,waive,wipe out,withdraw,write off 937 - annulet,achievement,alerion,animal charge,argent,armorial bearings,armory,arms,azure,bandeau,bar,bar sinister,baton,bearings,bend,bend sinister,billet,blazon,blazonry,bordure,broad arrow,cadency mark,canton,chaplet,charge,chevron,chief,circlet,coat of arms,cockatrice,coronet,crescent,crest,cross,cross moline,crown,device,difference,differencing,eagle,ermine,ermines,erminites,erminois,escutcheon,eye,eyelet,falcon,fess,fess point,field,file,flanch,fleur-de-lis,fret,fur,fusil,garland,griffin,grommet,gules,gyron,hatchment,helmet,heraldic device,honor point,impalement,impaling,inescutcheon,label,lion,lozenge,mantling,marshaling,martlet,mascle,metal,motto,mullet,nombril point,octofoil,or,ordinary,orle,pale,paly,pean,pheon,purpure,quarter,quartering,ringlet,rose,roundlet,sable,saltire,scutcheon,shield,spread eagle,subordinary,tenne,tincture,torse,tressure,unicorn,vair,vert,wreath,yale 938 - annulment,abjuration,abjurement,abolishment,abolition,abrogation,absolute contradiction,annihilation,broken home,broken marriage,cancel,canceling,cancellation,cassation,choking,choking off,contradiction,contrary assertion,contravention,controversion,counterbalancing,countering,countermand,counterorder,crossing,decree of nullity,defeasance,denial,deracination,disaffirmation,disallowance,disavowal,disclaimer,disclamation,disownment,disproof,dissolution of marriage,divorce,divorcement,elimination,eradication,extermination,extinction,extinguishment,extirpation,forswearing,frustration,gainsaying,grasswidowhood,impugnment,interlocutory decree,invalidation,liquidation,negation,neutralization,nullification,offsetting,purge,recall,recantation,refutation,renege,renunciation,repeal,repudiation,rescinding,rescindment,rescission,retractation,retraction,reversal,revocation,revoke,revokement,rooting out,separate maintenance,separation,setting aside,silencing,snuffing out,stifling,strangulation,suffocation,suppression,suspension,thwarting,undoing,uprooting,vacation,vacatur,vitiation,voidance,voiding,waiver,waiving,withdrawal,write-off 939 - annum,abundant year,academic year,bissextile year,calendar month,calendar year,century,common year,day,decade,decennary,decennium,defective year,fiscal year,fortnight,hour,leap year,lunar month,lunar year,lunation,luster,lustrum,man-hour,microsecond,millennium,millisecond,minute,moment,month,moon,quarter,quinquennium,regular year,second,semester,session,sidereal year,solar year,sun,term,trimester,twelvemonth,week,weekday,year 940 - annunciation,affirmance,affirmation,allegation,announcement,assertion,asseveration,averment,avouchment,avowal,bulletin board,circular,communique,conclusion,creed,declaration,dictum,edict,encyclical,enunciation,ipse dixit,manifesto,notice,notification,position,position paper,positive declaration,predicate,predication,proclamation,profession,program,programma,pronouncement,pronunciamento,proposition,protest,protestation,public notice,report,say,say-so,saying,stance,stand,statement,ukase,utterance,vouch,white book,white paper,word 941 - anodyne,Amytal,Amytal pill,Demerol,Dolophine,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Seconal,Seconal pill,Tuinal,Tuinal pill,alcohol,alleviating,alleviative,alleviator,amobarbital sodium,analgesic,anesthetic,assuager,assuasive,balm,balmy,balsamic,barb,barbiturate,barbiturate pill,benumbing,black stuff,blue,blue angel,blue devil,blue heaven,blue velvet,calmant,calmative,cathartic,chloral hydrate,cleansing,codeine,codeine cough syrup,cushion,deadening,demulcent,depressant,depressor,dolly,dolorifuge,downer,dulling,easing,emollient,goofball,hard stuff,heroin,hop,horse,hypnotic,junk,knockout drops,laudanum,lenitive,liquor,lotus,meperidine,methadone,mitigating,mitigative,mitigator,moderator,modulator,mollifier,morphia,morphine,narcotic,nepenthe,numbing,opiate,opium,pacificator,pacifier,pain killer,pain-killer,pain-killing,palliative,paregoric,peacemaker,pen yan,phenobarbital,phenobarbital sodium,purgative,purple heart,quietener,quietening,rainbow,red,relieving,remedial,restraining hand,salve,scag,secobarbital sodium,sedative,shit,shock absorber,sleep-inducer,sleep-inducing,sleeper,sleeping draught,sleeping pill,smack,sodium thiopental,softening,somnifacient,somniferous,soother,soothing,soothing syrup,soporific,stabilizer,subduing,tar,temperer,tranquilizer,tranquilizing,turps,white stuff,wiser head,yellow,yellow jacket 942 - anoint,administer the Eucharist,beeswax,chair,chrism,confirm,crown,daub,do duty,dope,dose,dress,drug,embrocate,enthrone,glycerolate,grease,grease the wheels,impose,inaugurate,induct,install,instate,invest,lard,lay hands on,lubricate,medicate,minister,officiate,oil,perform a rite,perform service,place,place in office,pomade,put in,salve,slick,slick on,smear,smooth the way,soap the ways,throne,unguent,wax 943 - anointment,accession,anointing,appointment,arrogation,assignment,assumption,authorization,chrismation,chrismatory,consecration,coronation,delegation,deputation,election,empowerment,greasing,inunction,legitimate succession,lubricating,lubrication,lubrification,oiling,seizure,succession,taking over,unction,usurpation 944 - anomalous,aberrant,abnormal,absurd,amorphous,anomalistic,atypical,crank,crankish,cranky,crotchety,deviant,deviative,different,disproportionate,divergent,dotty,eccentric,erratic,exceptional,fey,flaky,foreign,formless,freakish,funny,heteroclite,heteromorphic,idiocratic,idiosyncratic,incoherent,incommensurable,incommensurate,incompatible,incongruous,inconsequent,inconsistent,inconsonant,irreconcilable,irregular,kinky,kooky,maggoty,monstrous,nutty,odd,oddball,off-key,out of proportion,oxymoronic,paradoxical,peculiar,preternatural,prodigious,queer,quirky,screwball,screwy,self-contradictory,shapeless,singular,strange,stray,straying,subnormal,twisted,unconventional,unnatural,unregular,unrepresentative,untypical,wacky,wandering,whimsical 945 - anomaly,aberrance,aberrancy,aberration,abnormality,abnormity,amorphism,anomalism,anomalousness,conceit,conversation piece,crackpotism,crank,crankiness,crankism,crosspatch,crotchet,crotchetiness,curio,curiosity,derangement,deviancy,deviation,difference,differentness,divergence,dottiness,eccentricity,erraticism,erraticness,exception,freak,freakiness,freakishness,heteromorphism,idiocrasy,idiosyncrasy,improbability,impropriety,inadmissibility,inapplicability,inappositeness,inappropriateness,inaptitude,inaptness,individualist,infelicity,inferiority,inner-directed person,irregularity,irrelevance,irrelevancy,kink,maggot,maladjustment,mannerism,mesalliance,misalliance,misfit,misjoinder,misjoining,mismatch,monstrosity,museum piece,naysayer,nonconformist,nonconformity,nonesuch,oddball,oddity,peculiarity,prodigiosity,prodigy,queerness,quip,quirk,quirkiness,rarity,singularity,sport,strange thing,strangeness,subnormality,superiority,teratism,trick,twist,uncongeniality,unconventionality,unfitness,unnaturalism,unnaturalness,unsuitability,whim,whimsicality,whimsy 946 - anon,after a time,after a while,afterward,afterwards,again,at another time,at that moment,at that time,before long,betimes,by and by,by destiny,directly,ere long,fatally,hopefully,imminently,in a moment,in a while,in aftertime,in due course,in due time,in that case,in the future,later,on that occasion,predictably,presently,probably,proximo,shortly,soon,then,thereat,tomorrow,when 947 - anonymous,closet,cryptonymic,cryptonymous,incognito,inmost,innermost,innominate,interior,intimate,inward,isolated,nameless,personal,private,privy,retired,secluded,sequestered,unacknowledged,undefined,undesignated,unidentified,unknown,unnamed,unrecognized,unspecified,withdrawn,without a name 948 - another,accessory,added,additional,ancillary,autre chose,auxiliary,collateral,contributory,different story,different thing,else,extra,farther,fresh,further,more,new,no such thing,not that sort,not the same,not the type,of a sort,of another sort,of sorts,other,other than,otherwise,peculiar,plus,quite another thing,rare,renewed,second,something else,something else again,spare,special,sui generis,supernumerary,supplemental,supplementary,surplus,that,ulterior,unique 949 - anoxia,Minamata disease,abscess,ague,altitude sickness,anemia,ankylosis,anoxemia,anoxic anoxia,anthrax,apnea,asphyxiation,asthma,ataxia,atrophy,backache,black lung,blackout,bleeding,blennorhea,cachexia,cachexy,caisson disease,chilblain,chill,chills,colic,constipation,convulsion,coughing,cyanosis,decompression sickness,diarrhea,dizziness,dropsy,dysentery,dyspepsia,dyspnea,edema,emaciation,fainting,fatigue,fever,fibrillation,flux,frostbite,grayout,growth,hemorrhage,high blood pressure,hydrops,hypertension,hypotension,icterus,immersion foot,indigestion,inflammation,insomnia,itai,itching,jaundice,jet lag,labored breathing,lead poisoning,low blood pressure,lumbago,marasmus,mercury poisoning,motion sickness,nasal discharge,nausea,necrosis,pain,paralysis,pneumoconiosis,pressure suit,pruritus,radiation sickness,radionecrosis,rash,red-out,rheum,sclerosis,seizure,shock,skin eruption,sneezing,sore,spasm,sunstroke,tabes,tachycardia,the bends,trench foot,tumor,upset stomach,vertigo,vomiting,wasting 950 - answer back,acknowledge,answer,come back,come back at,echo,flash back,give acknowledgment,give answer,lip,provoke,react,reecho,rejoin,reply,respond,retort,return,return answer,return for answer,reverberate,riposte,sass,sauce,say,say in reply,shoot back,talk back 951 - answer for,accept obligation,accept the responsibility,act for,agree to,appear for,back up,be accepted for,be answerable for,be regarded as,be responsible for,be security for,be sponsor for,be taken as,bind,commission,commit,contract,count for,deputize,engage,front for,go as,go bail for,go for,have an understanding,obligate,pass as,pass for,pinch-hit for,represent,serve as,shake hands on,speak for,sponsor,stand in for,stand sponsor for,substitute for,take the blame,take the vows,understudy,undertake 952 - answer,Agnus Dei,Benedicite,ESP,Gloria,Gloria Patri,Gloria in Excelsis,Introit,Magnificat,Miserere,Nunc Dimittis,Parthian shot,Te Deum,Trisagion,Vedic hymn,accomplishment,accord,acknowledge,acknowledgment,action,action and reaction,ad hoc measure,address,advance,advantage,advocate,affect,affirmation,agree,allegation,allege in support,alleluia,answer back,answer conclusively,answer for,answer to,anthem,antiphon,antiphonal chanting,antiphony,apostrophe,appertain to,apply to,approach,argue down,argue for,argument,artifice,ascertainment,assent,assert,assertion,assort with,atone for,automatic reaction,autonomic reaction,avail,averment,be OK,be consistent,be equal to,be handy,be of one,be of use,be right,be uniform with,bear,bear on,bear upon,befit,befitting,belong to,benefit,bestead,billet,bottom,bounceback,business letter,canticle,champion,chant,check,chime,chit,chorale,clear up,clearing up,coequal,cohere,coincide,come back,come back at,come in,comeback,comment,commerce,communicate with,communication,communion,complement,complete answer,concern,concur,conform,conform to,conform with,confound,confounding,confutation,confute,congress,connect,connection,consist with,contact,contend for,contradict,contradiction,contrivance,controversion,controvert,conversation,converse,cooperate,correspond,correspond to,correspondence,counter,countercharge,countermove,counterstatement,coup,course of action,crack,cracking,crush,deal with,dealing,dealings,debug,decipher,decipherment,declaration,decode,decoding,defeat,defence,defend,defense,demarche,demolish,demolition,demurrer,denial,denouement,deny,determination,device,dictum,discrediting,disentangle,disentanglement,dismiss,dispatch,dispose of,disprove,divine,do,do it,do the job,do the trick,dodge,dope,dope out,dovetail,doxology,echo,effective rejoinder,effort,end,end result,epistle,espouse,establish connection,exception,exchange,exclamation,expedient,explain,explanation,expression,fall in together,fathom,favor,figure out,fill,fill the bill,find out,find the answer,find the solution,finding,finding-out,finish,fit,fit together,flash back,floor,forward,fulfill,get,get by,get right,get to,gimmick,give acknowledgment,give answer,give good returns,go around,go together,go with,greeting,guarantee,guess,guess right,hack it,hallelujah,hang together,harmonize,have connection with,have it,hit,hit it,hold,hold together,hosanna,hymn,hymn of praise,hymnody,hymnography,hymnology,improvisation,information,interaction,interchange,intercommunication,intercommunion,intercourse,interest,interjection,interlock,interplay,interpret,interpretation,interrogate,intersect,involve,issue,jibe,jury-rig,jury-rigged expedient,just do,justification,last expedient,last resort,last shift,laud,letter,liaise with,line,linguistic intercourse,link with,lock,maintain,make a plea,make advances,make contact with,make out,make overtures,make the grade,make up to,makeshift,maneuver,mantra,match,means,measure,meet,meet requirements,mention,message,missive,motet,move,nonplus,not come amiss,note,objection,observation,offertory,offertory sentence,open the lock,outcome,overlap,overthrow,overthrowal,overturn,overwhelm,paean,parallel,parry,pass,pass muster,pay,pay off,pertain to,phrase,pis aller,plea,plead for,pleading,plumb,position,predictable response,profit,promote,pronouncement,psalm,psalmody,psych,psych out,put to silence,puzzle out,qualify,question,raise,ravel,ravel out,reach,react,reaction,reason,rebut,rebuttal,rebutter,reciprocate,recognize,recriminate,reduce to silence,reecho,refer to,reflection,reflex,reflex action,refluence,reflux,refutal,refutation,refute,regard,register,register with,rejoin,rejoinder,relate,relate to,remark,replication,reply,reply to,report,rescript,resolution,resolve,resolving,resort,resource,respect,respond,respond to,respondence,response,responsory,responsory report,result,retort,retroaction,return,return answer,return for answer,reverberate,reverberation,revulsion,riddle,riddling,riposte,rise,satisfy,say,say in defense,say in reply,saying,sentence,serve,serve the purpose,settle,shake-up,shift,shoot back,shut up,silence,sing in chorus,smash all opposition,snap back,social intercourse,solution,solve,solving,sort out,sort with,sorting out,speak for,speak up for,speaking,special demurrer,special pleading,speech,speech circuit,speech situation,sponsor,square,square with,squash,squelch,stand,stand together,stand up,stand up for,statement,statement of defense,step,stick up for,stopgap,stratagem,stretch,stroke,stroke of policy,subjoinder,subversion,subvert,suffice,suit,suit the occasion,support,surrebuttal,surrebutter,surrejoinder,sustain,tactic,take it,take the bait,talk back,talking,tally,telepathy,temporary expedient,thought,tie in with,touch,touch upon,traffic,treat of,trick,truck,trump,two-way communication,undermine,undermining,undo,unlock,unravel,unraveling,unriddle,unriddling,unscramble,unscrambling,unspinning,untangle,untangling,unthinking response,untwist,untwisting,unweave,unweaving,uphold,upset,upsetting,upshot,urge reasons for,utterance,versicle,word,work,work out,working,working hypothesis,working proposition,working-out,yield a profit 953 - antacid,acid,acidity,agent,alexipharmic,alkali,alkalinity,alkalizer,alloisomer,anion,annulling,anthelmintic,antibiotic,antidotal,antidote,antimicrobial,antipyretic,antitoxic,atom,bacteriostatic,base,bicarbonate of soda,biochemical,buffer,buffering,calcium carbonate,canceling,cation,chemical,chemical element,chromoisomer,compound,copolymer,counteractant,counteractive,counteragent,counterbalancing,counterirritant,dimer,element,febrifugal,gastric antacid,heavy chemicals,high polymer,homopolymer,hydracid,inorganic chemical,ion,isomer,macromolecule,magnesia,metamer,molecule,monomer,negating,neutralizer,neutralizing,nonacid,nullifier,nullifying,offset,offsetting,organic chemical,oxyacid,polymer,preventative,preventive,prophylactic,pseudoisomer,radical,reagent,remedy,seltzer,sodium bicarbonate,stultifying,sulfacid,trimer,vitiating,voiding 954 - antagonism,abhorrence,abomination,aggression,aggressiveness,allergy,animosity,animus,annulling,antipathy,antithesis,argumentation,aversion,backlash,bad blood,bellicism,bellicosity,belligerence,belligerency,chauvinism,clash,clashing,cold sweat,collision,combativeness,competition,con,conflict,confrontation,confutation,contention,contentiousness,contradiction,contradistinction,contraindication,contraposition,contrariety,contrariness,contrast,controversy,counteraction,counterposition,counterworking,crankiness,creeping flesh,cross-purposes,crotchetiness,despitefulness,difference,disaccord,disaccordance,disagreement,discord,discordance,discordancy,discrepancy,disgust,disharmony,disparity,dissension,dissent,dissidence,dissonance,disunion,disunity,divergence,diversity,enmity,faction,ferocity,fierceness,fight,fractiousness,friction,hate,hatred,horror,hostility,inaccordance,incongruity,inconsistency,inequality,inimicalness,interference,jarring,jingoism,kick,loathing,malevolence,malice,malignity,martialism,militancy,militarism,mortal horror,nausea,negation,negativeness,nonconformity,noncooperation,nullification,obstinacy,oppositeness,opposition,opposure,oppugnance,oppugnancy,perverseness,perversity,polarity,pugnaciousness,pugnacity,quarrelsomeness,rancor,reaction,recalcitrance,recoil,refractoriness,renitency,repercussion,repugnance,repulsion,resistance,revolt,rivalry,saber rattling,showdown,shuddering,spite,spitefulness,strife,swimming upstream,truculence,uncooperativeness,unfriendliness,unharmoniousness,unpeacefulness,variance,vying,warmongering,warpath,withstanding 955 - antagonist,Roscius,actor,actress,adversary,anti,antihero,archenemy,assailant,bad guy,barnstormer,bit,bit part,bitter enemy,cast,character,character actor,character man,character woman,child actor,combatant,competition,competitor,con,contender,cue,devil,diseur,diseuse,dramatizer,enemy,fat part,feeder,foe,foeman,foil,heavy,hero,heroine,histrio,histrion,ingenue,juvenile,lead,lead role,leading lady,leading man,leading woman,lines,match,matinee idol,mime,mimer,mimic,monologist,mummer,open enemy,opponent,opposer,opposing party,opposite camp,opposition,oppugnant,pantomime,pantomimist,part,person,personage,piece,playactor,player,protagonist,protean actor,public enemy,reciter,role,side,soubrette,stage performer,stage player,stooge,straight man,straight part,stroller,strolling player,supporting character,supporting role,sworn enemy,the loyal opposition,the opposition,theatrical,thespian,title role,trouper,utility man,villain,walk-on,walking part 956 - antagonistic,acrid,adversary,adversative,adverse,adversive,aggressive,alien,anti,antipathetic,antithetic,antonymous,at cross-purposes,at loggerheads,at odds,at variance,at war,averse,balancing,battling,bellicose,belligerent,bitter,bloodthirsty,bloody,bloody-minded,breakaway,caustic,chauvinist,chauvinistic,clashing,colliding,combative,compensating,competitive,con,conflicting,confronting,contentious,contradicting,contradictory,contradistinct,contrapositive,contrarious,contrary,contrasted,converse,counter,counteractant,counteracting,counteractive,counterbalancing,counterpoised,countervailing,counterworking,cranky,cross,crotchety,dead against,despiteful,detrimental,differing,difficult,disaccordant,disagreeable,disagreeing,discordant,discrepant,disharmonious,disinclined,disproportionate,dissentient,dissident,dissonant,divergent,enemy,eyeball to eyeball,ferocious,fierce,fighting,fractious,full of fight,full of hate,grating,hard,harmful,hateful,hawkish,hostile,immiscible,in opposition,inaccordant,incompatible,inconsistent,inconsonant,indisposed,inharmonious,inimical,inverse,jangling,jarring,jingo,jingoish,jingoist,jingoistic,malevolent,malicious,malignant,martial,militant,militaristic,military,miserable,negative,nonconformist,noncooperative,not easy,obstinate,obverse,offensive,opponent,opposed,opposing,opposite,oppositional,oppositive,oppugnant,out of accord,out of whack,overthwart,perverse,pugnacious,quarrelsome,rancorous,reactionary,reactive,recalcitrant,refractory,renitent,repugnant,resistant,reverse,revolutionary,rigorous,rival,saber-rattling,sanguinary,sanguineous,savage,scrappy,set against,sinister,soldierlike,soldierly,sore,spiteful,squared off,stressful,trigger-happy,troublesome,troublous,truculent,trying,uncongenial,uncooperative,unfavorable,unfriendly,unharmonious,unpacific,unpeaceable,unpeaceful,unpropitious,untoward,unwilling,variant,venomous,virulent,vitriolic,warlike,warmongering,warring,wretched 957 - antagonize,aggravate,alienate,battle,be antipathetic,be inimical,beat against,beat up against,breast the wave,buck,buffet,buffet the waves,clash,close with,collide,combat,compete with,conflict,conflict with,confute,contend against,contest,contradict,contrapose,contravene,counter,counteract,counterattack,counterpose,countervail,counterwork,cross,embitter,envenom,estrange,exacerbate,fight,fight against,go against,go counter to,grapple with,heat up,infuriate,interfere with,join battle with,labor against,lock horns,madden,meet head-on,militate against,offer resistance,oppose,oppugn,provoke,reluct,reluctate,resist,rival,run against,run counter to,set against,set at odds,stem the tide,strive against,struggle against,swim upstream,take on,vie with,work against 958 - ante bellum,antediluvian,antemundane,before the Fall,before the Flood,before the war,pre-Aryan,pre-Christian,pre-Renaissance,pre-Roman,preclassical,precultural,prehistoric,prelapsarian,premillenarian,premundane,prerevolutionary,preromantic,prewar,protohistoric 959 - ante,ahead,ante up,back,beforehand,bet,bet on,book,call,chunk,cover,ere,fade,fore,forward,gamble,hand over,handbook,hazard,in advance,in advance of,lay,lay a wager,lay down,make a bet,meet a bet,parlay,pass,pay over,play,play against,plunge,pot,preceding,previous,prior to,punt,put down,put up,see,shot,stake,stand pat,to,wager 960 - antecede,announce,antedate,anticipate,be before,be early,come before,come first,forerun,front,go ahead of,go before,go in advance,have priority,head,head the table,head up,herald,kick off,lead,lead off,outrank,pace,precede,precurse,predate,preexist,proclaim,rank,rate,stand first,take precedence,usher in 961 - antecedent,agency,ancestor,ancestors,announcer,antecede,antecedents,antedate,anterior,anticipatory,ascendant,ascendants,avant-garde,base,basis,bellwether,buccinator,bushwhacker,call,causation,cause,cause and effect,chief,ci-devant,determinant,determinative,earlier,early,elder,elders,element,etiology,exordial,explorer,factor,fathers,first,fore,forebear,forebears,forefather,forefathers,foregoer,foregoing,foremost,forerun,forerunner,former,front runner,frontiersman,fugleman,grandfathers,grandparents,ground,groundbreaker,grounds,guide,harbinger,heading,headmost,herald,inaugural,initiatory,innovator,instrumentality,lead runner,leader,leading,means,messenger,occasion,older,pace,past,pathfinder,patriarchs,pioneer,point,precedent,preceding,precessional,precurrent,precursor,precursory,predate,predecessor,predecessors,preexistent,prefatory,preliminary,preludial,prelusive,premise,preparatory,prevenient,previous,prime,primogenitor,principle,prior,proemial,progenitor,progenitors,propaedeutic,prototype,reason,scout,senior,stimulus,stormy petrel,trailblazer,trailbreaker,vanguard,vaunt-courier,voortrekker 962 - antedate,announce,antecede,anticipate,backdate,be before,be dated,be early,bear date,come before,date,date at,date-stamp,dateline,datemark,foredate,forerun,go before,herald,lag,make a date,misdate,mistime,postdate,precede,precurse,predate,preexist,proclaim,set the date,update,usher in 963 - antediluvian,Bronze Age man,Gothic,Hominidae,Iron Age man,Methuselah,Stone Age man,Victorian,aboriginal,aborigine,age-old,aged,ancient,ante-bellum,antemundane,anthropoid,antiquated,antique,ape-man,archaic,autochthon,back number,before the Fall,before the Flood,before the war,bushman,cave dweller,caveman,classical,conservative,dad,dodo,elder,fogy,fossil,fossil man,fossilized,fud,fuddy-duddy,granny,grown old,has-been,hoary,hominid,humanoid,longhair,man of old,matriarch,medieval,mid-Victorian,missing link,mossback,of other times,old,old believer,old crock,old dodo,old fogy,old liner,old man,old poop,old woman,old-timer,old-world,patriarch,petrified,pop,pops,pre-Aryan,pre-Christian,pre-Renaissance,pre-Roman,preadamite,preclassical,precultural,prehistoric,prehistoric man,prehuman,prelapsarian,premillenarian,premundane,prerevolutionary,preromantic,prewar,primate,primitive,protohistoric,protohuman,reactionary,regular old fogy,relic,square,starets,stick-in-the-mud,superannuated,timeworn,traditionalist,troglodyte,venerable 964 - antelope,Angora goat,Arctic fox,Belgian hare,Caffre cat,Cape elk,Indian buffalo,Kodiak bear,Virginia deer,aardvark,aardwolf,alpaca,anteater,antelope chipmunk,aoudad,apar,armadillo,arrow,ass,aurochs,badger,bandicoot,bassarisk,bat,bear,beaver,bettong,binturong,bison,black bear,black buck,black cat,black fox,black sheep,blue darter,blue fox,blue streak,bobcat,brown bear,brush deer,brush wolf,buck,buffalo,buffalo wolf,burro,burro deer,cachalot,camel,camelopard,cannonball,capybara,carabao,caribou,carpincho,cat,cat-a-mountain,catamount,cattalo,cavy,chamois,cheetah,chevrotain,chinchilla,chipmunk,cinnamon bear,coon,coon cat,cotton mouse,cotton rat,cougar,courser,cow,coyote,coypu,dart,deer,deer tiger,deerlet,dingo,doe,dog,donkey,dormouse,dromedary,eagle,echidna,eland,electricity,elephant,elk,ermine,express train,eyra,fallow deer,fawn,ferret,field mouse,fisher,fitch,flash,flying phalanger,foumart,fox,fox squirrel,gazelle,gemsbok,genet,giraffe,glutton,gnu,gnu goat,goat,goat antelope,gopher,greased lightning,greyhound,grizzly bear,ground squirrel,groundhog,guanaco,guinea pig,hamster,hare,harnessed antelope,hart,hartebeest,hedgehog,hind,hippopotamus,hog,horse,hyena,hyrax,ibex,jackal,jackass,jackrabbit,jaguar,jaguarundi,jerboa,jerboa kangaroo,jet plane,kaama,kangaroo,kangaroo mouse,kangaroo rat,karakul,kinkajou,kit fox,koala,lapin,lemming,leopard,leopard cat,light,lightning,lion,llama,lynx,mammoth,mara,marmot,marten,mastodon,meerkat,mercury,mink,mole,mongoose,moose,mouflon,mountain goat,mountain lion,mountain sheep,mouse,mule,mule deer,muntjac,musk deer,musk hog,musk-ox,muskrat,musquash,nilgai,nutria,ocelot,okapi,onager,oont,opossum,otter,ounce,ox,pack rat,painter,panda,pangolin,panther,peccary,peludo,phalanger,pig,pine mouse,platypus,pocket gopher,pocket mouse,pocket rat,polar bear,polar fox,polecat,porcupine,possum,pouched rat,poyou,prairie dog,prairie wolf,pronghorn,puma,quicksilver,rabbit,raccoon,rat,red deer,red squirrel,reindeer,rhinoceros,rocket,roe,roe deer,roebuck,sable,scared rabbit,serval,sheep,shot,shrew,shrew mole,sika,silver fox,skunk,sloth,snowshoe rabbit,springbok,squirrel,stag,stoat,streak,streak of lightning,striped snake,suslik,swallow,swamp rabbit,swine,takin,tamandua,tamarin,tapir,tarpan,tatou,tatou peba,tatouay,thought,thunderbolt,tiger,tiger cat,timber wolf,torrent,tree shrew,urus,vole,wallaby,warthog,water buffalo,waterbuck,weasel,wharf rat,whistler,white fox,wild ass,wild boar,wild goat,wild ox,wildcat,wildebeest,wind,wolf,wolverine,wombat,wood rat,woodchuck,woolly mammoth,yak,zebra,zebu,zoril 965 - antenna,aerials,barb,barbel,barbule,bedspring type,cat whisker,directional antenna,dish,doublet,feed-and-reflector unit,feeler,mast,mattress type,palp,palpus,reflector,rhombic antenna,scanner,strike radar scanner,tactile cell,tactile corpuscle,tactile hair,tactile organ,tactile process,tactor,tower,transmitting antenna,vibrissa,wave antenna 966 - antepast,antipasto,aperitif,appetizer,canape,course,cover,dessert,dish,entree,entremets,foretaste,help,helping,place,plate,portion,prelibation,second helping,service,serving,smorgasbord,whet 967 - anterior,album,ana,analects,antecedent,anticipatory,chief,ci-devant,collection,compilation,delectus,earlier,early,elder,exordial,first,florilegium,fore,foregoing,forehand,foremost,former,forward,front,frontal,garland,head,headmost,inaugural,initiatory,leading,miscellany,older,omnibus,posy,precedent,preceding,precessional,precurrent,precursory,preexistent,prefatory,preliminary,preludial,prelusive,preparatory,prevenient,previous,primary,prime,prior,proemial,propaedeutic,senior,treasure-house,treasury 968 - anthem,Agnus Dei,Benedicite,Brautlied,Christmas carol,Gloria,Gloria Patri,Gloria in Excelsis,Introit,Kunstlied,Liebeslied,Magnificat,Miserere,Negro spiritual,Nunc Dimittis,Te Deum,Trisagion,Vedic hymn,Volkslied,alba,alleluia,answer,antiphon,antiphony,art song,aubade,ballad,ballade,ballata,barcarole,blues,blues song,boat song,bridal hymn,brindisi,calypso,canso,cantata,canticle,canzone,canzonet,canzonetta,carol,cavatina,chanson,chant,chantey,chorale,church music,croon,croon song,dirge,ditty,doxology,drinking song,epithalamium,folk song,gospel,gospel music,hallelujah,hosanna,hymeneal,hymn,hymn of praise,hymn-tune,hymnody,hymnography,hymnology,introit,laud,lay,lied,lilt,love song,love-lilt,mantra,mass,matin,minstrel song,minstrelsy,motet,national anthem,offertory,offertory sentence,oratorio,paean,passion,prosodion,prothalamium,psalm,psalmody,recessional,report,requiem,requiem mass,response,responsory,sacred music,serena,serenade,serenata,song,spiritual,theme song,torch song,versicle,war song,wedding song,white spiritual 969 - anthill,bank,barrow,brae,butte,cock,down,drift,drumlin,dune,embankment,fell,foothills,haycock,haymow,hayrick,haystack,heap,hill,hillock,hummock,knob,knoll,molehill,monticle,monticule,moor,mound,mow,pile,pyramid,rick,sand dune,snowdrift,stack,swell 970 - anthology,Festschrift,album,ana,analects,aquarium,beauties,body,book of verse,canon,chrestomathy,clippings,collectanea,collected works,collection,compilation,complete works,corpus,cuttings,data,delectus,excerpta,excerpts,extracts,florilegium,flowers,fragments,fund,garden,garland,gleanings,holdings,library,menagerie,miscellanea,miscellany,museum,omnibus,photograph album,poesy,poetic works,quotation book,raw data,scrapbook,symposium,treasure,zoo 971 - anthrax,African lethargy,Asiatic cholera,Chagres fever,German measles,Haverhill fever,Minamata disease,Texas fever,acute articular rheumatism,ague,alkali disease,altitude sickness,amebiasis,amebic dysentery,anoxemia,anoxia,anoxic anoxia,aphthous fever,bacillary dysentery,bastard measles,bighead,black death,black fever,black lung,black quarter,blackleg,blackwater,blackwater fever,blind staggers,bloody flux,breakbone fever,broken wind,brucellosis,bubonic plague,cachectic fever,caisson disease,cattle plague,cerebral rheumatism,charbon,chicken pox,chilblain,cholera,cowpox,dandy fever,decompression sickness,deer fly fever,dengue,dengue fever,diphtheria,distemper,dumdum fever,dysentery,elephantiasis,encephalitis lethargica,enteric fever,erysipelas,famine fever,five-day fever,flu,foot-and-mouth disease,frambesia,frostbite,gapes,glanders,glandular fever,grippe,hansenosis,heaves,hepatitis,herpes,herpes simplex,herpes zoster,histoplasmosis,hog cholera,hoof-and-mouth disease,hookworm,hydrophobia,immersion foot,infantile paralysis,infectious mononucleosis,inflammatory rheumatism,influenza,itai,jail fever,jet lag,jungle rot,kala azar,kissing disease,lead poisoning,lepra,leprosy,leptospirosis,liver rot,loa loa,loaiasis,lockjaw,loco,loco disease,locoism,mad staggers,madness,malaria,malarial fever,malignant catarrh,malignant catarrhal fever,malignant pustule,mange,marsh fever,measles,megrims,meningitis,mercury poisoning,milzbrand,motion sickness,mumps,ornithosis,osteomyelitis,paratuberculosis,paratyphoid fever,parotitis,parrot fever,pertussis,pip,pneumoconiosis,pneumonia,polio,poliomyelitis,polyarthritis rheumatism,ponos,pseudotuberculosis,psittacosis,quarter evil,rabbit fever,rabies,radiation sickness,radionecrosis,rat-bite fever,red-out,relapsing fever,rheumatic fever,rickettsialpox,rinderpest,ringworm,rot,rubella,rubeola,scabies,scarlatina,scarlet fever,schistosomiasis,septic sore throat,sheep rot,shingles,sleeping sickness,sleepy sickness,smallpox,snail fever,splenic fever,spotted fever,staggers,strep throat,stringhalt,sunstroke,swamp fever,swine dysentery,tetanus,the bends,thrush,tinea,trench fever,trench foot,trench mouth,tuberculosis,tularemia,typhoid,typhoid fever,typhus,typhus fever,undulant fever,vaccinia,varicella,variola,venereal disease,viral dysentery,whooping cough,yaws,yellow fever,yellow jack,zona,zoster 972 - anthropoid,Bronze Age man,Hominidae,Iron Age man,Stone Age man,aboriginal,aborigine,ancient,antediluvian,anthropomorphic,anthropopathic,ape-man,autochthon,bushman,cave dweller,caveman,fossil man,hominid,humanoid,man of old,manlike,missing link,preadamite,prehistoric man,prehuman,primate,primitive,protohuman,troglodyte 973 - anthropology,anatomy,animal physiology,anthropography,anthropologist,anthropometry,behavioral science,biology,comparative anatomy,conchology,craniology,craniometry,demography,ecology,entomology,ethnography,ethnologist,ethnology,ethology,helminthology,herpetology,human ecology,human geography,ichthyology,malacology,mammalogy,ornithology,protozoology,psychology,science of man,sociologist,sociology,taxidermy,taxonomy,zoogeography,zoography,zoology,zoonomy,zoopathology,zoophysics,zootaxy,zootomy 974 - anthropomorphism,acosmism,allotheism,anthropolatry,anthropopathism,anthropotheism,autotheism,cosmotheism,deism,ditheism,dualism,dyotheism,henotheism,humanization,hylotheism,monolatry,monotheism,multitheism,myriotheism,pantheism,pathetic fallacy,physicomorphism,physitheism,polytheism,psychotheism,tetratheism,theism,theopantism,theriotheism,tritheism,zootheism 975 - anti Semitism,Anglophobia,Jim Crow,Jim Crow law,Russophobia,abhorrence,abomination,antipathy,apartheid,aversion,bigotry,black power,black supremacy,chauvinism,class consciousness,class distinction,class hatred,class prejudice,class war,color bar,color line,despitefulness,detestation,discrimination,dislike,execration,fascism,hate,hatred,know-nothingism,loathing,male chauvinist,malevolence,malice,malignity,minority prejudice,misandry,misanthropy,misogyny,odium,race hatred,race prejudice,race snobbery,racial discrimination,racialism,racism,red-baiting,repugnance,segregation,sex discrimination,sexism,social barrier,social discrimination,spite,spitefulness,superpatriotism,ultranationalism,vials of hate,vials of wrath,white power,white supremacy,xenophobia 976 - anti,adversary,adversative,adverse,adversive,alien,antagonistic,antipathetic,antithetic,antonymous,at cross-purposes,balancing,clashing,compensating,competitive,con,conflicting,confronting,contradictory,contradistinct,contrapositive,contrarious,contrary,contrasted,converse,counter,counterbalancing,counterpoised,countervailing,cross,dead against,disaccordant,discordant,discrepant,dissentient,enemy,eyeball to eyeball,fractious,hostile,inconsistent,inimical,inverse,negative,noncooperative,obstinate,obverse,opponent,opposed,opposing,opposite,oppositional,oppositive,oppugnant,overthwart,perverse,recalcitrant,refractory,repugnant,reverse,rival,squared off,uncooperative,unfavorable,unfriendly,unpropitious 977 - antibiotic,Chloromycetin,Terramycin,acaricide,actinomycin,alexipharmic,amphotericin,antacid,anthelmintic,antidotal,antimicrobial,antipyretic,antiseptic,antitoxic,bacitracin,bacteriostatic,bug bomb,carbamate insecticide,carbomycin,chemosterilant,chlorinated hydrocarbon insecticide,chlortetracycline,cloxacillin,contact poison,defoliant,dihydrostreptomycin,disinfectant,eradicant,erythromycin,febrifugal,fradicin,fumigant,fungicide,germicide,gramicidin,griseofulvin,herbicide,insect powder,insecticide,methicillin,microbicide,miticide,mitomycin,organic chlorine,organic phosphate insecticide,penicillin,pesticide,poison,rat poison,roach paste,roach powder,rodenticide,stomach poison,streptomycin,streptothricin,subtilin,sulfa,systemic,systemic insecticide,tetracycline,toxic,toxicant,toxin,tylocin,tyrothricin,vancomycin,venin,venom,vermicide,viomycin,virus,weed killer 978 - antibody,Rh factor,Rh-negative,Rh-positive,Rh-type,Rhesus factor,acquired immunity,active immunity,agglutinin,allergen,anaphylactin,antiantibody,antigen,antiserum,antitoxic serum,antitoxin,antivenin,arterial blood,artificial immunity,blood,blood bank,blood cell,blood count,blood donor,blood donor center,blood group,blood grouping,blood picture,blood platelet,blood pressure,blood serum,blood substitute,bloodmobile,bloodstream,circulation,clinical dextran,congenital immunity,dextran,erythrocyte,familial immunity,globulin,gore,grume,hematics,hematologist,hematology,hematoscope,hematoscopy,hemocyte,hemoglobin,hemometer,humor,ichor,immunity,immunization,incomplete antibody,inherent immunity,inherited immunity,interferon,isoantibody,leukocyte,lifeblood,natural immunity,neutrophil,nonspecific immunity,nonsusceptibility to disease,opsonic immunity,opsonin,passive immunity,phagocyte,phagocytic immunity,plasma,plasma substitute,precipitin,racial immunity,red corpuscle,resistance,serum,specific immunity,toxin-antitoxin immunity,type O,venous blood,white corpuscle 979 - antic,animated,artifice,bizarre,caper,capersome,caracole,carry on,casual,cavort,coltish,comic,comical,curvet,cut a dido,cut capers,cut up,dance,disport,easy,exuberant,fanciful,fantastic,farcical,flounce,fool around,foolish,frisk,frisky,frolic,frolicsome,full of beans,gambol,gamesome,gay,grotesque,hearty,horse around,impossible,incomprehensible,inconceivable,incredible,lark,laughable,light,lively,ludicrous,mischievous,monkeyshine,monkeyshines,play,playful,practical joke,prank,prankish,pranky,roguish,rollick,rollicking,rollicksome,romp,rompish,shenanigan,shenanigans,shines,skip,skittish,spirited,sport,sportive,sprightly,suave,tomfoolery,trick,trip,unaccountable,unbelievable,unexpected,unimaginable,vital,vivacious,waggish trick,whimsical,wile,zestful,zippy 980 - anticipate,announce,antecede,antedate,anticipation,apprehend,approach,avert,await,bar,be before,be destined,be early,be fated,be imminent,be to be,be to come,come,come before,come on,contemplate,count on,debar,deflect,deter,discourage,dishearten,divine,draw near,draw on,dread,envisage,envision,estop,exclude,expect,expectation,face,fend,fend off,forbid,forecast,foreclose,foreglimpse,foreknow,forerun,foresee,forestall,foretaste,foretell,get ahead of,go before,go off half-cocked,have in mind,help,herald,hope,intercept,jump the gun,keep from,keep off,lie ahead,look ahead,look beyond,look for,look forward to,look out for,loom,near,nullify,obviate,plan,plot,precede,preclude,precurse,predate,predict,preexist,prepare for,presage,presume,prevent,prevision,proclaim,prohibit,project,prophesy,reckon on,repel,rule out,save,see,see ahead,see beforehand,stave off,take for granted,think,threaten,turn aside,usher in,visualize,ward off,win the start 981 - anticipating,agape,agog,all agog,anticipant,anticipative,anticipatory,awaiting,big with child,big-laden,breeding,carrying,carrying a fetus,certain,confident,eager,expectant,expecting,forearmed,forestalling,forewarned,gaping,gestating,gravid,great,heavy,heavy with child,hopeful,in anticipation,in expectation,knocked up,looking for,looking forward to,not surprised,optimistic,parturient,preggers,pregnant,prepared,ready,sanguine,superfetate,superimpregnated,sure,teeming,unsurprised,waiting,waiting for,watching for,with child 982 - anticipation,TLC,a priori knowledge,anachronism,antecedence,antecedency,antedate,antedating,anteriority,apprehension,attention,beginnings,buddhi,care,carefulness,caution,certainty,circumspection,circumspectness,clairvoyance,concern,confidence,consideration,contemplation,direct apprehension,discretion,earlier state,earliness,early hour,early stage,envisagement,envisionment,expectancy,expectation,farseeingness,farsightedness,feeling,first crack,first stage,foreboding,forecast,foreglance,foregleam,foreglimpse,forehandedness,foreknowledge,foreseeing,foresight,foresightedness,forethought,ground floor,head start,heed,heedfulness,historical error,hope,immediate cognition,imminence,insight,inspiration,intuition,intuitionism,intuitive reason,intuitiveness,intuitivism,knowledge without thought,lateness,longsightedness,looking ahead,loving care,metachronism,mindfulness,misdate,misdating,mistiming,parachronism,past time,postdating,precedence,precedency,precession,precognition,predating,prediction,preexistence,preparation,preparedness,prepublication,presentiment,prevenience,preview,prevision,priority,probability,prochronism,prolepsis,prospect,prospection,providence,provision,prudence,readiness,regard,regardfulness,reliance,running start,sagacity,satori,second sight,second-sightedness,sixth sense,solicitude,status quo ante,subconscious knowledge,subconscious perception,tardiness,tender loving care,thought,thoughtfulness,time to spare,unastonishment,unmediated perception,unpunctuality,very beginning 983 - anticipatory,agape,agog,all agog,antecedent,anterior,anticipant,anticipating,anticipative,atiptoe,awaiting,beforetime,bright and early,certain,ci-devant,clairvoyant,confident,divinatory,eager,earlier,early,elder,expectant,expecting,farseeing,farsighted,first,fore,forearmed,foregoing,forehand,forehanded,foreknowing,foreseeing,foresighted,forestalling,forethoughted,forethoughtful,forewarned,former,gaping,hopeful,in anticipation,in expectation,in good time,intuitive,longsighted,looking for,looking forward to,not surprised,older,optimistic,preceding,precognitive,precognizant,precurrent,preexistent,prepared,prescient,prevenient,previous,prime,prior,provident,providential,prudent,ready,sagacious,sanguine,senior,sure,unsurprised,waiting,waiting for,watching for 984 - antidepressant,DET,DMT,LSD,Mary Jane,STP,THC,acid,ataractic,diethyltryptamine,dimethyltryptamine,gage,ganja,grass,hallucinogen,hallucinogenic,hash,hashish,hay,hemp,joint,kava,marijuana,mescal,mescal bean,mescal button,mescaline,mind-altering drug,mind-blowing drug,mind-expanding,mind-expanding drug,morning glory seeds,peyote,pot,psilocin,psilocybin,psychedelic,psychic energizer,psychoactive drug,psychochemical,psychotomimetic,reefer,roach,stick,tea,tranquilizer,weed 985 - antidote,alexipharmic,antacid,antiserum,antitoxin,antivenin,backfire,buffer,corrective,counteractant,counteractive,counteragent,counterirritant,countermeasure,counterpoison,counterstep,cure,drug,medicament,medication,medicine,neutralizer,nullifier,offset,preventative,preventive,prophylactic,remedy,specific,theriac,theriaca 986 - antigen,Rh factor,Rh-negative,Rh-positive,Rh-type,Rhesus factor,acquired immunity,active immunity,agglutinin,allergen,anaphylactin,antiantibody,antibody,antiserum,antitoxic serum,antitoxin,antivenin,arterial blood,artificial immunity,blood,blood bank,blood cell,blood count,blood donor,blood donor center,blood group,blood grouping,blood picture,blood platelet,blood pressure,blood serum,blood substitute,bloodmobile,bloodstream,circulation,clinical dextran,congenital immunity,dextran,erythrocyte,familial immunity,globulin,gore,grume,hematics,hematologist,hematology,hematoscope,hematoscopy,hemocyte,hemoglobin,hemometer,humor,ichor,immunity,immunization,incomplete antibody,inherent immunity,inherited immunity,interferon,isoantibody,leukocyte,lifeblood,natural immunity,neutrophil,nonspecific immunity,nonsusceptibility to disease,opsonic immunity,opsonin,passive immunity,phagocyte,phagocytic immunity,plasma,plasma substitute,precipitin,racial immunity,red corpuscle,resistance,serum,specific immunity,toxin-antitoxin immunity,type O,venous blood,white corpuscle 987 - antihero,actor,antagonist,bit,bit part,cast,character,cue,fat part,feeder,heavy,hero,heroine,ingenue,lead,lead role,leading lady,leading man,leading woman,lines,part,person,personage,piece,protagonist,role,side,soubrette,straight part,supporting character,supporting role,title role,villain,walk-on,walking part 988 - antinomy,ambiguity,ambivalence,asymmetry,disproportion,disproportionateness,equivocality,equivocation,heresy,heterodoxy,heterogeneity,incoherence,incommensurability,incompatibility,incongruity,inconsistency,inconsonance,irony,irreconcilability,nonconformability,nonconformity,oxymoron,paradox,self-contradiction,unconformability,unconformity,unorthodoxy 989 - antipathetic,abhorrent,acrid,adversary,adversative,adverse,adversive,alien,antagonistic,anti,antipodal,antithetic,antithetical,antonymous,at cross-purposes,at daggers drawn,at loggerheads,at odds,at variance,at war,balancing,belligerent,bitter,breakaway,caustic,clashing,colliding,compensating,competitive,con,conflicting,confronting,contradicting,contradictory,contradistinct,contrapositive,contrarious,contrary,contrasted,converse,counter,counteractant,counteracting,counteractive,counterbalancing,counterpoised,countervailing,counterworking,cranky,cross,crotchety,dead against,despiteful,differing,disaccordant,disagreeable,disagreeing,discordant,discrepant,disgusting,disharmonious,disproportionate,dissentient,dissident,dissonant,distasteful,divergent,enemy,eyeball to eyeball,fractious,full of hate,grating,hateful,hostile,immiscible,inaccordant,incompatible,inconsistent,inharmonious,inimical,inverse,jangling,jarring,loathsome,malevolent,malicious,malignant,negative,nonconformist,noncooperative,obnoxious,obstinate,obverse,opponent,opposed,opposing,opposite,oppositional,oppositive,oppugnant,out of accord,out of whack,overthwart,perverse,quarrelsome,rancorous,reactionary,recalcitrant,refractory,renitent,repellent,repugnant,repulsive,resistant,reverse,revolutionary,rival,set against,sore,spiteful,squared off,uncongenial,uncooperative,unfavorable,unfriendly,ungenial,unharmonious,unpropitious,unsympathetic,variant,venomous,virulent,vitriolic 990 - antipathy,Anglophobia,Russophobia,abhorrence,abomination,allergy,anathema,animosity,animus,antagonism,anti-Semitism,antithesis,averseness,aversion,avoidance,backlash,backwardness,bad blood,belligerence,bigotry,clash,clashing,cold sweat,collision,competition,conflict,confrontation,confutation,contention,contradiction,contradistinction,contraindication,contraposition,contrariety,contrariness,contrast,counteraction,counterposition,counterworking,crankiness,creeping flesh,cross-purposes,crotchetiness,cursoriness,despitefulness,detestation,disaccord,disagreement,discrepancy,disgust,disinclination,dislike,disobedience,disrelish,dissension,dissent,distaste,enmity,escape,eschewal,evasion,execration,foot-dragging,fractiousness,friction,grudging consent,grudgingness,hate,hatred,horror,hostility,inconsistency,indisposedness,indisposition,indocility,inimicalness,interference,intractableness,kick,lack of enthusiasm,lack of zeal,loathing,malevolence,malice,malignity,misandry,misanthropy,misogyny,mortal horror,mutinousness,nausea,negativeness,nolition,nonconformity,noncooperation,obstinacy,odium,oppositeness,opposition,opposure,oppugnance,oppugnancy,peeve,perfunctoriness,perverseness,perversity,pet peeve,phobia,polarity,quarrelsomeness,race hatred,racism,rancor,reaction,recalcitrance,recalcitrancy,recoil,refractoriness,refusal,reluctance,renitence,renitency,repellency,repercussion,repugnance,repulsion,resistance,revolt,rivalry,showdown,shuddering,slowness,spite,spitefulness,stubbornness,sulk,sulkiness,sulks,sullenness,swimming upstream,uncooperativeness,unenthusiasm,unwillingness,vials of hate,vials of wrath,vying,xenophobia 991 - antiphon,Agnus Dei,Benedicite,Gloria,Gloria Patri,Gloria in Excelsis,Introit,Magnificat,Miserere,Nunc Dimittis,Te Deum,Trisagion,Vedic hymn,acknowledgment,alleluia,answer,answering,anthem,antiphonal chanting,antiphony,back answer,back talk,backchat,canticle,chant,chorale,comeback,doxology,echo,evasive reply,hallelujah,hosanna,hymn,hymn of praise,hymnody,hymnography,hymnology,laud,mantra,motet,offertory,offertory sentence,paean,psalm,psalmody,reaction,ready reply,receipt,rejoinder,repartee,replication,reply,report,repost,rescript,rescription,respond,respondence,response,responsion,responsory,responsory report,retort,return,reverberation,riposte,short answer,snappy comeback,versicle,witty reply,witty retort,yes-and-no answer 992 - antipodal,antipodean,antithetic,antithetical,confronting,contradictory,contrapositive,contrary,converse,counter,diametric,diametrically opposite,eyeball-to-eyeball,facing,inverse,obverse,opposing,opposite,polar,polaric,polarized,reverse 993 - Antipodes,Africa,America,Asia,Asia Major,Asia Minor,Australasia,East,Eastern Hemisphere,Eurasia,Europe,Far East,Levant,Middle East,Near East,New World,Occident,Oceania,Old World,Orient,West,Western Hemisphere,continent,down under,eastland,landmass,the old country 994 - antipodes,China,Darkest Africa,God knows where,Greenland,North Pole,Outer Mongolia,Pago Pago,Pillars of Hercules,Siberia,South Pole,Thule,Tierra del Fuego,Timbuktu,Ultima Thule,Yukon,antipodal points,antipode,antipoints,antipole,antipoles,antithesis,antonym,black and white,contra,contraposita,contrapositives,contraries,converse,counter,counterbalance,countercheck,counterpoint,counterpoise,counterpole,counterpoles,counterterm,foil,frontier,godforsaken place,inverse,jumping-off place,night and day,nowhere,obverse,offset,opposite,opposite number,opposite poles,opposites,outback,outer space,outpost,outskirts,polar opposites,pole,poles,reverse,setoff,the Great Divide,the South Seas,the boondocks,the contrary,the moon,the other side,the sticks,the tullies,vis-a-vis 995 - antipole,North Pole,South Pole,antipodal points,antipode,antipodes,antipoints,antipoles,antithesis,antonym,black and white,contra,contradictory,contraposita,contrapositives,contraries,contrary,converse,counter,counterbalance,countercheck,counterpoint,counterpoise,counterpole,counterpoles,counterterm,foil,inverse,night and day,obverse,offset,opposite,opposite number,opposite poles,opposites,polar opposites,poles,reverse,setoff,the contrary,the other side,vis-a-vis 996 - antiquarian,Jonathan Oldbuck,Miniver Cheevy,Pre-Raphaelite,antiquary,antique collector,antique dealer,antique-car collector,archaeological,archaeologist,archaist,classicist,dryasdust,eolithic,laudator temporis acti,medievalist,neolithic,paleolithic,paleological 997 - antiquated,Gothic,Victorian,abandoned,abjured,ago,ancient,antediluvian,antique,archaic,blown over,by,bygone,bypast,classical,dated,dead,dead and buried,deceased,defunct,departed,deserted,discontinued,disused,done with,elapsed,expired,extinct,finished,forgotten,fossil,fossilized,fusty,gone,gone glimmering,gone-by,grown old,has-been,irrecoverable,lapsed,medieval,mid-Victorian,moldy,no more,not worth saving,obsolescent,obsolete,of other times,old,old hat,old-fashioned,old-timey,old-world,oldfangled,on the shelf,out,out of date,out of use,out-of-date,outdated,outmoded,outworn,over,passe,passed,passed away,past,past use,pensioned off,petrified,primitive,quaint,relinquished,renounced,resigned,retired,run out,superannuate,superannuated,superseded,vanished,worn-out,wound up 998 - antique,Gothic,Methuselah,Victorian,abandoned,abiding,abjured,age-long,age-old,aged,ageless,ago,ancestral,ancient,ancient manuscript,antediluvian,antiquated,antiquity,archaic,archaism,artifact,auld,back number,bibelot,blown over,by,bygone,bypast,cave painting,chronic,classical,collectable,conservative,constant,continuing,curio,dad,dated,dateless,dead,dead and buried,deceased,defunct,departed,deserted,discontinued,disused,diuturnal,dodo,done with,durable,elapsed,elder,elderly,enduring,eolith,evergreen,expired,extinct,finished,fogy,forgotten,fossil,fossilized,fud,fuddy-duddy,gone,gone glimmering,gone-by,granny,grown old,hardy,has-been,heirloom,hoary,immemorial,immutable,intransient,inveterate,irrecoverable,lapsed,lasting,legendary,long-lasting,long-lived,long-standing,long-term,longeval,longevous,longhair,macrobiotic,matriarch,medieval,mezzolith,microlith,mid-Victorian,mossback,neolith,no more,not worth saving,objet d'art,obsolescent,obsolete,of long duration,of long standing,of old,of other times,of yore,old,old as Methuselah,old as history,old as time,old believer,old crock,old dodo,old fogy,old liner,old man,old poop,old woman,old-fashioned,old-time,old-timer,old-timey,old-world,olden,oldfangled,on the shelf,out,out of date,out of use,out-of-date,outdated,outmoded,outworn,over,paleolith,passe,passed,passed away,past,past use,patriarch,pensioned off,perdurable,perduring,perennial,permanent,perpetual,persistent,persisting,petrification,petrified,petrified forest,petrified wood,petroglyph,plateaulith,pop,pops,rarity,reactionary,regular old fogy,relic,relinquished,reliquiae,remaining,remains,renounced,resigned,retired,ruin,ruins,run out,sempervirent,square,stable,starets,staying,steadfast,superannuate,superannuated,superseded,survival,timeless,timeworn,tough,traditional,traditionalist,unfading,vanished,venerable,vestige,vital,worn-out,wound up 999 - antiquity,abidingness,aboriginality,age,ancien regime,ancient history,ancient manuscript,ancient times,ancientness,antique,archaism,artifact,atavism,cave painting,cobwebs of antiquity,constancy,continuance,defeat of time,defiance of time,distance of time,distant past,diuturnity,durability,durableness,duration,dust of ages,eld,elderliness,eldership,endurance,eolith,fossil,great age,hoary age,hoary eld,inveteracy,lastingness,long standing,long-lastingness,long-livedness,longevity,maintenance,mezzolith,microlith,neolith,old age,old order,old style,oldness,paleolith,perdurability,perennation,permanence,perpetuity,persistence,petrification,petrified forest,petrified wood,petroglyph,plateaulith,primitiveness,primogeniture,primordialism,primordiality,relic,reliquiae,remains,remote age,ruin,ruins,senility,seniority,stability,standing,steadfastness,survival,survivance,time immemorial,venerableness,vestige 1000 - antiseptic,Argyrol,Mercurochrome,Merthiolate,Salol,acaricide,alcohol,anthelmintic,antibiotic,aseptic,bactericide,boiled,boric acid,bug bomb,calomel,camphor,carbamate insecticide,carbolic acid,chemosterilant,chloramine,chlorinated hydrocarbon insecticide,contact poison,cresol,decontaminated,defoliant,disinfectant,disinfected,eradicant,fumigant,fumigator,fungicide,gentian violet,germicidal,germicide,gramicidin,herbicide,hexachloraphene,hydrogen peroxide,hygienic,insect powder,insecticide,iodine,microbicide,miticide,organic chlorine,organic phosphate insecticide,pasteurized,peroxide,pesticide,phenol,phenyl salicylate,poison,prophylactic,rat poison,resorcinol,roach paste,roach powder,rodenticide,sanitary,silver vitellin,sterile,sterilized,stomach poison,systemic,systemic insecticide,thimerosal,thymol,tincture of iodine,toxic,toxicant,toxin,uninfected,venin,venom,vermicide,virus,weed killer 1001 - antisocial,Timonistic,ascetic,austere,cold,cynical,eremitic,introverted,man-hating,misanthropic,misogynous,reclusive,remote,reserved,sexist,solitary,standoffish,unsociable,withdrawn,woman-hating 1002 - antithesis,antagonism,anteposition,antipathy,antipode,antipodes,antipole,antonym,clashing,collision,con,conflict,confrontation,confrontment,contention,contra,contradiction,contradictory,contradistinction,contraindication,contraposition,contrariety,contrary,contrast,converse,counter,counterbalance,countercheck,counterpoint,counterpoise,counterpole,counterposition,counterterm,cross-purposes,disagreement,discrepancy,foil,hostility,inconsistency,inimicalness,inverse,obverse,offset,opposing,opposite,opposite number,oppositeness,opposition,opposure,oppugnance,oppugnancy,perversity,polar opposition,polarity,polarization,posing against,repugnance,reverse,setoff,showdown,the contrary,the other side,vis-a-vis 1003 - antithetical,adversary,adversative,adverse,adversive,alien,antagonistic,anti,antipathetic,antipodal,antipodean,antithetic,antonymous,at cross-purposes,balancing,clashing,compensating,competitive,con,conflicting,confronting,contradictory,contradistinct,contrapositive,contrarious,contrary,contrasted,converse,counter,counterbalancing,counterpoised,countervailing,cross,dead against,disaccordant,discordant,discrepant,dissentient,enemy,eyeball to eyeball,eyeball-to-eyeball,facing,fractious,hostile,inconsistent,inimical,inverse,negative,noncooperative,obstinate,obverse,opponent,opposed,opposing,opposite,oppositional,oppositive,oppugnant,overthwart,perverse,polar,polaric,polarized,recalcitrant,refractory,repugnant,reverse,rival,squared off,uncooperative,unfavorable,unfriendly,unpropitious 1004 - antitoxin,Rh factor,agglutinin,allergen,anaphylactin,antiantibody,antibody,antigen,antiserum,antitoxic serum,antivenin,bang,booster,booster shot,fix,hit,hypodermic,hypodermic injection,incomplete antibody,injection,inoculation,interferon,jet injection,mainlining,narcotic injection,precipitin,serum,shooting up,shot,skin-popping,vaccination,vaccine 1005 - antitype,antetype,archetype,biotype,classic example,criterion,epitome,fugleman,fugler,genotype,imitatee,lead,mirror,model,original,paradigm,pattern,precedent,prototype,representative,rule,standard,type,type species,type specimen,urtext 1006 - antonym,antipode,antipodes,antipole,antithesis,articulation,contra,converse,counter,counterbalance,countercheck,counterpoint,counterpoise,counterpole,counterterm,expression,foil,free form,homograph,homonym,homophone,inverse,lexeme,linguistic form,locution,logos,metonym,minimum free form,monosyllable,obverse,offset,opposite,opposite number,polysyllable,reverse,setoff,syllable,synonym,term,the contrary,the other side,usage,utterance,verbalism,verbum,vis-a-vis,vocable,word 1007 - anus,abdomen,appendix,asshole,blind gut,bowels,brain,bung,bunghole,cecum,colon,duodenum,endocardium,entrails,foregut,giblets,gizzard,guts,heart,hindgut,innards,inner mechanism,insides,internals,intestine,inwards,jejunum,kidney,kishkes,large intestine,liver,liver and lights,lung,midgut,perineum,pump,pylorus,rectum,small intestine,spleen,stomach,ticker,tripes,vermiform appendix,viscera,vitals,works 1008 - anvil,Eustachian tube,alembic,auditory apparatus,auditory canal,auditory meatus,auditory nerve,auditory ossicles,auditory tube,auricle,basilar membrane,bony labyrinth,caldron,cauliflower ear,cochlea,conch,concha,crucible,drumhead,ear,ear lobe,eardrum,endolymph,engine,external ear,hammer,incus,inner ear,lathe,lobe,lobule,lug,machine,malleus,mastoid process,melting pot,middle ear,mortar,motor,organ of Corti,outer ear,oval window,perilymph,pinna,retort,round window,secondary eardrum,semicircular canals,shell,stapes,stirrup,test tube,transducer,transformer,tympanic cavity,tympanic membrane,tympanum,vestibule 1009 - anxiety,abstraction,abulia,ache,ado,alacrity,alienation,all-overs,angst,anguish,animation,annoyance,anxiety equivalent,anxiety state,anxiousness,apathy,appetite,apprehension,apprehensiveness,avidity,avidness,besetment,boredom,bother,breathless impatience,can of worms,catatonic stupor,chafing,cheerful readiness,cheerlessness,cliff-hanging,compulsion,concern,concernment,dejection,depression,desire,detachment,disadvantage,discomfort,discomposure,discontent,dislike,displeasure,disquiet,disquietude,dissatisfaction,distress,doubt,dread,dullness,eagerness,elan,elation,emotionalism,emptiness,ennui,euphoria,evil,excitement,existential woe,expectant waiting,flatness,folie du doute,foreboding,forwardness,fretfulness,fretting,great ado,grimness,gust,gusto,haste,headache,hypochondria,hysteria,hysterics,impatience,impatientness,impetuousness,inconvenience,indifference,inquietude,insensibility,joylessness,keen desire,keenness,lack of pleasure,lather,lethargy,life,liveliness,longing,malaise,mania,matter,melancholia,mental distress,misery,misgiving,mistrust,nausea,nervousness,nongratification,nonsatisfaction,obsession,painfulness,panic,pathological indecisiveness,peck of troubles,pessimism,preoccupation,problem,promptness,psychalgia,psychomotor disturbance,qualm,qualmishness,quickness,readiness,restiveness,restlessness,savorlessness,sea of troubles,solicitude,spirit,spleen,staleness,stew,stupor,suffering,suspense,sweat,tastelessness,tediousness,tedium,tense readiness,thirst,tic,trouble,twitching,uncertainty,uncomfortableness,unease,uneasiness,unhappiness,unpatientness,unpleasure,unquietness,unresponsiveness,unsatisfaction,verve,vexation of spirit,vitality,vivacity,waiting,withdrawal,worry,zest,zestfulness 1010 - anxious,aching,aghast,agitated,agog,alacritous,alarmed,all agog,all-overish,anguished,animated,annoyed,antsy,antsy-pantsy,anxioused up,apprehensive,ardent,athirst,avid,beset,bored,bothered,breathless,bursting to,careful,cautious,chafing,cheerless,concerned,depressed,desirous,disgusted,disquieted,distressed,disturbed,eager,edgy,embarrassed,enthusiastic,excited,fearful,foreboding,forward,fretful,fretting,frightened,full of life,grim,harassed,hasty,hopped-up,ill at ease,impatient,impetuous,importunate,in a lather,in a pucker,in a stew,in a sweat,in suspense,inconvenienced,irked,jittery,joyless,keen,keyed-up,lively,longing,misgiving,nauseated,nauseous,nervous,on edge,on tenterhooks,on tiptoe,overanxious,overapprehensive,panting,perturbed,plagued,pleasureless,pressing,prey to malaise,prompt,put to it,puzzled,qualmish,qualmy,quick,quivering,raring to,ready,ready and willing,repelled,restive,restless,revolted,sad,scared,scary,sickened,solicitous,sore beset,spirited,squirming,squirmy,strained,suffering angst,suspenseful,taut,tense,terrified,thirsty,troubled,uncertain,uneasy,unfulfilled,ungratified,unhappy,unpatient,unquiet,unsatisfied,upset,urgent,vexed,vital,vivacious,vivid,wary,watchful,with bated breath,with muscles tense,worried,yearning,zealous,zestful 1011 - anxiously,animatedly,apprehensively,avidly,breathlessly,concernedly,eagerly,enthusiastically,fretfully,impatiently,intolerantly,keenly,misgivingly,promptly,quickly,readily,restively,restlessly,solicitously,uneasily,vivaciously,with alacrity,with gusto,with open arms,with relish,with zest,worriedly,zealously,zestfully 1012 - any old way,airily,any which way,anyhow,bunglingly,carelessly,casually,clumsily,cursorily,disregardfully,forgetfully,haphazardly,heedlessly,helter-skelter,hit and miss,hit or miss,inattentively,inconsiderately,messily,offhand,offhandedly,once over lightly,perfunctorily,promiscuously,recklessly,regardlessly,slapdash,sloppily,tactlessly,thoughtlessly,unguardedly,unheedfully,unheedingly,unmindfully,unsolicitously,unthinkingly,unvigilantly,unwarily 1013 - any,a,a certain,all,all and some,all and sundry,an,any one,anybody,anyone,anything,atomic,aught,certain,each,each and all,each and every,each one,either,every,every one,exclusive,individual,indivisible,integral,irreducible,lone,measured,monadic,monistic,one,one and all,quantified,quantitative,quantitive,quantized,simple,single,singular,sole,solid,solitary,some,something,somewhat,unanalyzable,undivided,uniform,unique,unitary,whole 1014 - anyhow,airily,any old way,any which way,anyway,anywise,at all,at any rate,at random,bunglingly,by any means,carelessly,casually,clumsily,cursorily,disregardfully,forgetfully,haphazard,haphazardly,heedlessly,helter-skelter,hit and miss,hit or miss,however,in any case,in any event,in any way,inattentively,inconsiderately,irregardless,messily,nevertheless,nohow,nonetheless,offhand,offhandedly,once over lightly,perfunctorily,promiscuously,random,randomly,recklessly,regardless,regardlessly,slapdash,sloppily,tactlessly,thoughtlessly,unguardedly,unheedfully,unheedingly,unmindfully,unsolicitously,unthinkingly,unvigilantly,unwarily 1015 - anytime,any day,any hour,any minute,any moment,any time,any time now,as may be,at all times,at any time,at whatever time,if ever,imminently,impendingly,no matter when,once,to be expected,whenever,whensoever 1016 - apace,PDQ,amain,at flank speed,at once,by forced marches,cursorily,decisively,directly,double-quick,expeditiously,fast,feverishly,flat-out,forthwith,furiously,hand over fist,hand over hand,hastily,hell for leather,hell-bent,hell-bent for election,helter-skelter,hotfoot,hurriedly,hurry-scurry,immediately,in double time,in double-quick time,in high,in high gear,in no time,in passing,in seven-league boots,instanter,instantly,lickety-cut,lickety-split,on the double,on the instant,on the run,on the spot,pell-mell,post,posthaste,pretty damned quick,promptly,pronto,quick,quickly,rapidly,right away,right off,slapdash,smartly,snappily,speedily,straightaway,straightway,subito,summarily,superficially,swiftly,trippingly,under forced draft,whip and spur,with a rush,with all haste,with all speed,with dispatch,with giant strides,with haste,with rapid strides,with speed,without delay,without further delay 1017 - apart,a huis clos,adrift,alien,alienated,all to pieces,alone,aloof,apart from,aside,aside from,asunder,at a distance,away,away from,behind closed doors,besides,bipartite,by itself,by two,companionless,detached,dichotomous,disconnected,discontinuous,discrete,disjunct,disrelated,dissociated,distal,distant,distinct,distinctly,divergent,except for,excepting,excluding,exotic,extraneous,far,far off,faraway,fifty-fifty,foreign,friendless,half-and-half,homeless,in a backwater,in camera,in chambers,in executive session,in half,in halves,in privacy,in private,in private conference,in privy,in the abstract,in the singular,in twain,in two,incoherent,incommensurable,incomparable,independent,independently,individually,insular,irrelative,isolate,isolated,januis clausis,kithless,lone,lonely,lonesome,long-distance,long-range,noncohesive,not counting,once,one by one,other,out-of-the-way,out-of-the-world,outlandish,particularly,partitioned,per se,piecemeal,privately,privily,quarantined,remote,removed,retired,rootless,secluded,segregate,segregated,separate,separated,separately,severally,shut off,single-handed,single-handedly,singly,singularly,sky-high,solitary,solo,strange,to one side,unabetted,unaccompanied,unaffiliated,unaided,unallied,unassisted,unassociated,unattached,unattended,unconnected,unescorted,unfrequented,unjoined,unrelatable,unrelated,unseconded,unsupported,unvisited,wide apart,wide away,withdrawn 1018 - apartheid,Jim Crow,Jim Crow law,alien,anti-Semitism,apartness,black power,black supremacy,chauvinism,class consciousness,class distinction,class hatred,class prejudice,class war,color bar,color line,detachment,discrimination,division,ethnocentrism,exclusiveness,fascism,foreigner,insularity,insulation,isolation,isolationism,know-nothingism,male chauvinist,minority prejudice,narrowness,out-group,outcast,outsider,parochialism,persona non grata,privacy,privatism,privatization,quarantine,race hatred,race prejudice,race snobbery,racial discrimination,racial segregation,racialism,racism,recess,reclusion,red-baiting,retirement,retreat,rustication,seclusion,secrecy,segregation,separateness,separation,separatism,sequestration,sex discrimination,sexism,snobbishness,social barrier,social discrimination,splendid isolation,stranger,superpatriotism,tightness,ultranationalism,white power,white supremacy,withdrawal,xenophobia 1019 - apathetic,Laodicean,Olympian,abeyant,affording no hope,aloof,anesthetic,ataractic,backward,balking,balky,benumbed,blah,blase,bleak,bored,callous,careless,casual,cataleptic,catatonic,centrist,cheerless,comatose,comfortless,dead,debilitated,desensitized,despairing,desperate,despondent,detached,devil-may-care,dilatory,disconsolate,disinterested,dismal,dispassionate,disregardful,distant,dopey,dormant,droopy,drugged,dry,dull,easygoing,enervated,even,exanimate,fifty-fifty,flat,forlorn,foul,grim,groggy,grudging,half-and-half,heartless,heavy,hebetudinous,heedless,hopeless,impartial,impassible,impassive,in a stupor,in abeyance,in despair,in suspense,inactive,inanimate,inattentive,incurious,independent,indifferent,inert,inexcitable,insensible,insensitive,insouciant,jaded,lackadaisical,laggard,languid,languorous,latent,leaden,lethargic,lifeless,limp,listless,loath,logy,lumpish,matter-of-fact,midway,mindless,moderate,moribund,negligent,neuter,neutral,nonaligned,nonchalant,noncommitted,nonpartisan,numb,numbed,on the fence,passive,perfunctory,phlegmatic,pluckless,pococurante,pooped,reckless,regardless,reluctant,renitent,resigned,restive,sated,sedentary,slack,sleeping,sleepy,slow,slow to,sluggish,slumbering,smoldering,somnolent,soporific,spiritless,spunkless,stagnant,stagnating,standing,static,stoic,stolid,stultified,stupefied,supine,suspended,tame,third-force,third-world,torpid,turned-off,unanxious,unaroused,uncaring,uncommitted,unconcerned,undiscriminating,unenthusiastic,unhopeful,uninquiring,uninterested,uninvolved,unmindful,unmoved,unsolicitous,untouched,unzealous,vegetable,vegetative,wan,weary,withdrawn,without hope,world-weary 1020 - apathy,Laodiceanism,abeyance,abstraction,abulia,accidia,acedia,alienation,aloofness,anxiety,anxiety equivalent,anxiety state,ataraxia,ataraxy,benumbedness,blah,blahs,boredom,callousness,calmness,carelessness,casualness,catalepsy,catatonia,catatonic stupor,cave of Trophonius,cave of despair,coldness,comatoseness,compulsion,deadliness,deathliness,dejection,depression,despair,desperateness,desperation,despondency,detachment,disconsolateness,disinterest,disinterestedness,dispassion,dispassionateness,disregard,disregardfulness,dormancy,drowsiness,dullness,easygoingness,elation,emotionalism,enervation,ennui,entropy,euphoria,fatigue,folie du doute,forlornness,halfheartedness,hardness,heartlessness,heaviness,hebetude,heedlessness,hopelessness,hypochondria,hysteria,hysterics,impassiveness,impassivity,inanimation,inappetence,inattention,incuriosity,incuriousness,indifference,indifferentism,indifferentness,indiscrimination,indolence,inertia,inertness,inexcitability,insensibility,insensitivity,insouciance,intellectual inertia,jadedness,lack of affect,lack of appetite,lack of interest,lackadaisicalness,languidness,languishment,languor,languorousness,lassitude,latency,lenitude,lentor,lethargicalness,lethargy,lifelessness,listlessness,lotus-eating,lukewarmness,mania,melancholia,mental distress,mindlessness,negligence,no exit,no way,no way out,nonchalance,numbness,obduracy,obsession,oscitancy,passiveness,passivity,pathological indecisiveness,phlegm,phlegmaticalness,phlegmaticness,plucklessness,pococurantism,preoccupation,psychalgia,psychomotor disturbance,recklessness,regardlessness,resignation,resignedness,satedness,sleepiness,sloth,slothfulness,slowness,sluggishness,somnolence,sopor,soporifousness,spiritlessness,spunklessness,stagnancy,stagnation,stasis,stoicism,stolidity,stupefaction,stupor,supineness,suspense,tic,torpidity,torpidness,torpitude,torpor,twitching,unanxiousness,unawareness,unconcern,uninquisitiveness,uninterestedness,unmindfulness,unresponsiveness,unsolicitousness,vegetation,vis inertiae,weariness,withdrawal,withdrawnness,world-weariness 1021 - ape,Barbary ape,Cape polecat,Chiroptera,Lagomorpha,Primates,Rodentia,act,act a part,act as,act out,angwantibo,anthropoid ape,ape about,appear like,approach,approximate,aye-aye,baboon,bar,be like,be redolent of,bear,bear resemblance,bring to mind,bugs on,burlesque,call to mind,call up,capuchin,caricature,cavy,chacma,chimp,chimpanzee,come close,come near,compare with,conformist,coon,copier,copy,copycat,copyist,correspond,counterfeit,counterfeiter,cracked on,crazy about,cuckoo,dissembler,dissimulator,do,drill,echo,echoer,echoist,emulate,enact,entellus,evoke,faker,favor,ferret,follow,forger,foumart,freaked-out,gaga over,gibbon,glutton,gone on,gorilla,groundhog,guenon,guereza,guinea pig,hanuman,hedgehog,hepped up over,hipped on,hit off,hit off on,hot about,hypocrite,imitate,imitator,impersonate,impersonator,impostor,langur,lemur,look like,macaque,mad about,make like,man,mandrill,marmoset,masquerade as,match,mime,mimer,mimic,mimicker,mirror,mock,mocker,mockingbird,monk,monkey,mountain gorilla,mousehound,near,nearly reproduce,not tell apart,nuts about,nuts on,opossum,orang,orangutan,pantomime,parallel,parody,parrot,partake of,pass for,perform,personate,phony,plagiarist,play,play a part,polecat,poll-parrot,polly,polly-parrot,porcupine,pose as,poseur,possum,prairie dog,pretend to be,proboscis monkey,quill pig,raccoon,remind one of,resemble,rhesus,rival,saki,savor of,seem like,sheep,simulate,simulator,skunk,smack of,sound like,stack up with,starry-eyed over,steamed up about,suggest,take after,take off,take off on,travesty,turned-on,weasel,whistle-pig,wild about,wolverine,woodchuck,zoril 1022 - apercu,a priori knowledge,abbreviation,abbreviature,abrege,abridgment,abstract,anticipation,article,brief,buddhi,capsule,causerie,clairvoyance,compend,condensation,condensed version,conspectus,descant,digest,direct apprehension,discourse,discussion,disquisition,dissertation,draft,epitome,essay,etude,examination,excursus,exposition,feature,first approach,head,homily,immediate cognition,insight,inspiration,introductory study,intuition,intuitionism,intuitive reason,intuitiveness,intuitivism,knowledge without thought,lucubration,memoir,monograph,morceau,note,outline,overview,pandect,paper,paragraph,piece,precis,precognition,preliminary study,prolegomenon,research paper,review,rubric,satori,screed,second sight,second-sightedness,shortened version,sixth sense,skeleton,sketch,special article,study,subconscious knowledge,subconscious perception,survey,syllabus,synopsis,term paper,theme,thesis,thumbnail sketch,topical outline,tract,tractate,treatise,treatment,unmediated perception 1023 - aperitif,Mickey,Mickey Finn,antepast,antipasto,appetizer,canape,chaser,cocktail,doch-an-dorrach,drink,eye-opener,foretaste,highball,knockout drops,mixed drink,nightcap,parting cup,pousse-cafe,punch,smorgasbord,stirrup cup,sundowner,wee doch-an-dorrach,whet 1024 - aperture,access,aisle,alley,ambulatory,arcade,artery,avenue,bore,breach,break,broaching,cavity,channel,chasm,check,chink,clearing,cleft,cloister,colonnade,communication,conduit,connection,corridor,covered way,crack,crevice,cut,defile,disclosure,discontinuity,exit,fenestra,ferry,fissure,fistula,fontanel,foramen,ford,gallery,gap,gape,gash,gat,gulf,hiatus,hole,hollow,inlet,interchange,intersection,interstice,interval,junction,lacuna,lane,laying open,leak,opening,opening up,orifice,outlet,overpass,pass,passage,passageway,perforation,pinhole,pore,portico,prick,puncture,railroad tunnel,rupture,slash,slit,slot,space,split,stoma,throwing open,traject,trajet,tunnel,uncorking,underpass,unstopping,vent,yawn 1025 - apex,L,Olympian heights,achievement,acme,aerial heights,alveolar ridge,alveolus,angle,apogee,arytenoid cartilages,attainment,back,bend,bifurcation,bight,blade,brow,cant,cap,capstone,chevron,climax,cloud nine,coin,consummation,corner,crank,crescendo,crest,crook,crotchet,crown,culmen,culmination,deflection,dizzy heights,dogleg,dorsum,edge,elbow,elevation,ell,eminence,ether,extreme limit,extremity,fork,furcation,hard palate,heaven,heavens,height,heights,high noon,highest pitch,highest point,hook,inflection,knee,larynx,last word,lift,limit,lips,maximum,meridian,mountaintop,nasal cavity,ne plus ultra,no place higher,nook,noon,noontide,oral cavity,palate,peak,pharyngeal cavity,pharynx,pinnacle,pitch,point,pole,prime,prominence,quoin,raise,realization,ridge,rise,rising ground,roof,seventh heaven,sky,soft palate,speech organ,spire,steep,stratosphere,summit,swerve,syrinx,teeth,teeth ridge,tip,tip-top,tongue,top,ultimate,upmost,upper extremity,uppermost,uprise,utmost,vantage ground,vantage point,veer,very top,vocal chink,vocal cords,vocal folds,vocal processes,voice box,zag,zenith,zig,zigzag 1026 - aphasia,anaudia,aphonia,aphrasia,deaf-muteness,dumbness,dysarthria,dysphasia,echolalia,hysterical aphonia,imperfect speech,inarticulateness,incoherence,jargon aphasia,loss of speech,motor aphasia,muteness,mutism,paranomia,paraphasia,psychophonasthenia,speech defect,speechlessness,tonguelessness,verbigeration,voicelessness,wordlessness 1027 - aphorism,abridgment,adage,ana,analects,apothegm,axiom,bon mot,boutade,bright idea,bright thought,brilliant idea,brocard,byword,catchword,collected sayings,conceit,crack,current saying,dictate,dictum,distich,epigram,expression,facetiae,flash of wit,flight of wit,gibe,gnome,golden saying,happy thought,maxim,moral,mot,motto,nasty crack,oracle,persiflage,phrase,pithy saying,play of wit,pleasantry,precept,prescript,proverb,proverbial saying,proverbs,quip,quips and cranks,repartee,retort,riposte,rule,sally,saw,saying,scintillation,sentence,sententious expression,sloka,smart crack,smart saying,snappy comeback,stock saying,stroke of wit,sutra,teaching,text,truism,turn of thought,verse,wisdom,wisdom literature,wise saying,wisecrack,witticism,word,words of wisdom 1028 - aphoristic,Spartan,abbreviated,abridged,aposiopestic,axiomatic,brief,brusque,clipped,close,compact,compendious,compressed,concise,condensed,contracted,crisp,curt,cut,docked,elliptic,epigrammatic,formulaic,formulistic,gnomic,laconic,pithy,platitudinous,pointed,proverbial,pruned,pungent,reserved,sententious,short,short and sweet,shortened,succinct,summary,synopsized,taciturn,terse,tight,to the point,truncated 1029 - Aphrodite,Adonis,Agdistis,Amor,Apollo,Apollo Belvedere,Apollon,Ares,Artemis,Astarte,Ate,Athena,Bacchus,Balder,Ceres,Cleopatra,Cora,Cronus,Cupid,Cybele,Demeter,Despoina,Diana,Dionysus,Dis,Eros,Freya,Gaea,Gaia,Ge,Great Mother,Hades,Hebe,Helios,Hephaestus,Hera,Here,Hermes,Hestia,Hymen,Hyperion,Jove,Juno,Jupiter,Jupiter Fidius,Jupiter Fulgur,Jupiter Optimus Maximus,Jupiter Pluvius,Jupiter Tonans,Kama,Kore,Kronos,Love,Magna Mater,Mars,Mercury,Minerva,Mithras,Momus,Narcissus,Neptune,Nike,Olympians,Olympic gods,Ops,Orcus,Persephassa,Persephone,Phoebus,Phoebus Apollo,Pluto,Poseidon,Proserpina,Proserpine,Rhea,Saturn,Tellus,Venus,Venus de Milo,Vesta,Vulcan,Zeus,houri,peri,the Graces 1030 - apish,asinine,batty,befooled,beguiled,besotted,brainless,buffoonish,cockeyed,crazy,credulous,daffy,daft,dazed,delineatory,depictive,dizzy,doting,dumb,echoic,embodying,emulative,fatuitous,fatuous,figurative,flaky,fond,fool,foolheaded,foolish,fuddled,futile,gaga,goofy,graphic,gulled,ideographic,idiotic,illustrational,illustrative,imbecile,imitative,inane,incarnating,inept,infatuated,insane,kooky,limning,loony,mad,maudlin,mimetic,mimic,mimish,moronic,nutty,onomatopoeic,onomatopoetic,personifying,pictographic,pictorial,portraying,representational,representative,representing,sappy,screwy,senseless,sentimental,silly,simulative,stupid,symbolizing,thoughtless,typifying,vivid,wacky,wet,witless 1031 - aplenty,abounding,abundant,abundantly,affluent,affluently,all-sufficing,ample,bottomless,bottomlessly,bounteous,bounteously,bountiful,bountifully,copious,copiously,diffuse,diffusely,effuse,effusely,epidemic,exhaustless,extravagant,extravagantly,exuberant,exuberantly,fat,fertile,flush,full,fully,galore,generous,generously,in abundance,in full measure,in good supply,in plenty,in quantity,inexhaustible,inexhaustibly,lavish,lavishly,liberal,liberally,luxuriant,many,maximal,maximally,much,no end,numerous,opulent,opulently,overflowing,overflowingly,plenitudinous,plenteous,plenteously,plentiful,plentifully,plenty,prevailing,prevalent,prodigal,prodigally,productive,profuse,profusely,profusive,rampant,replete,rich,richly,rife,riotous,riotously,running over,superabundant,superabundantly,teeming,to the full,wealthy,well-found,well-furnished,well-provided,well-stocked,wholesale 1032 - aplomb,assurance,balance,balanced personality,composure,confidence,constancy,constraint,control,cool,coolness,discipline,ease,easiness,equability,equanimity,equilibrium,erectness,fastness,firmness,homeostasis,imperturbability,independence,invariability,level head,levelheadedness,nerve,nonchalance,orthogonality,perpendicularity,plumbness,plungingness,poise,possession,precipitousness,presence of mind,reliability,restraint,right-angledness,right-angularity,rootedness,sang-froid,sangfroid,savoir faire,secureness,security,self-assurance,self-command,self-confidence,self-conquest,self-control,self-denial,self-discipline,self-government,self-mastery,self-possession,self-restraint,sheerness,solidity,soundness,squareness,stability,stable equilibrium,stable state,steadfastness,steadiness,steady nerves,steady state,steepness,substantiality,undeflectability,uniformity,unshakable nerves,unshakableness,up-and-downness,uprightness,verticalism,verticality,verticalness,well-regulated mind 1033 - apocalypse,actuarial prediction,afflatus,baring,direct communication,disclosing,disclosure,discovering,discovery,divine inspiration,divine revelation,envisioning,epiphany,expose,exposition,exposure,foreboding,forecast,forecasting,foreshowing,foresight,foretelling,guesswork,improbability,inspiration,laying bare,manifestation,mystical experience,mysticism,omen,oracle,patefaction,precognition,prediction,prefiguration,prefigurement,prefiguring,presage,presaging,presentiment,preshowing,presignifying,prevision,probability,prognosis,prognostication,promise,prophecy,prophesying,prospectus,removing the veil,revealing,revealment,revelation,showing up,showup,soothsay,speculation,statistical prediction,stripping,theophania,theophany,theopneustia,theopneusty,uncloaking,uncovering,unfolding,unfoldment,unmasking,unveiling,unwrapping,vaticination,vision 1034 - apocalyptic,Biblical,Gospel,Mosaic,New-Testament,Old-Testament,apostolic,augural,auguring,bad,baleful,baneful,betraying,black,bodeful,boding,canonical,dark,dire,direful,disclosing,disclosive,divinatory,doomful,dreary,evangelic,evangelistic,evil,evil-starred,exposing,eye-opening,fateful,fatidic,foreboding,forecasting,foreseeing,foretelling,forewarning,fortunetelling,gloomy,gospel,haruspical,ill,ill-boding,ill-fated,ill-omened,ill-starred,inauspicious,inspired,lowering,mantic,menacing,of evil portent,ominous,oracular,portending,portentous,predictional,predictive,predictory,prefigurative,prefiguring,presageful,presaging,presignificative,presignifying,prognostic,prognosticative,prophetic,revealed,revealing,revelational,revelatory,scriptural,showing,sibyllic,sibylline,sinister,somber,talkative,textual,textuary,theopneustic,threatening,unfavorable,unfortunate,unlucky,unpromising,unpropitious,untoward,vaticinal,vaticinatory,weather-wise 1035 - apocryphal,Albigensian,Arian,Catharist,Donatist,Ebionitist,Erastian,Gnostic,Jansenist,Jansenistic,Jovinianist,Jovinianistic,Lollard,Manichaean,Monophysite,Monophysitic,Montanist,Montanistic,Pelagian,Sabellian,Waldensian,Wyclifite,affected,antinomian,artificial,assumed,bastard,bogus,brummagem,colorable,colored,counterfeit,counterfeited,distorted,doubtful,dressed up,dubious,dummy,emanationist,embellished,embroidered,erroneous,ersatz,factitious,fake,faked,fallacious,false,falsified,feigned,fictitious,fictive,garbled,heretical,heterodox,hylotheist,hylotheistic,illegitimate,imitation,inaccurate,incorrect,junky,make-believe,man-made,mock,nonofficial,nonorthodox,open to question,pantheist,pantheistic,perverted,phony,pinchbeck,pretended,pseudo,put-on,quasi,queer,questionable,self-styled,sham,shoddy,simulated,so-called,soi-disant,spurious,supposititious,synthetic,tin,tinsel,titivated,twisted,unaccepted,unapproved,unattested,unauthentic,unauthenticated,unauthoritative,uncanonical,uncertified,unchecked,unconfirmed,uncorroborated,undemonstrated,ungenuine,unnatural,unofficial,unorthodox,unproved,unreal,unscriptural,unsound,untrue,unvalidated,unverified,unwarranted,warped,wrong 1036 - apogee,Earth insertion,LEM,LM,acme,all,apex,aphelion,astronomical longitude,attitude-control rocket,autumnal equinox,ballistic capsule,brow,burn,cap,capstone,capsule,ceiling,celestial equator,celestial longitude,celestial meridian,circle,climax,cloud nine,colures,crest,crown,culmen,culmination,deep-space ship,docking,docking maneuver,ecliptic,edge,end,equator,equinoctial,equinoctial circle,equinoctial colure,equinox,extreme,extreme limit,extremity,far cry,far piece,ferry rocket,fuel ship,galactic longitude,geocentric longitude,geodetic longitude,giant step,good ways,great circle,great distance,heaven,heavens,height,heliocentric longitude,high noon,highest degree,highest pitch,highest point,injection,insertion,limit,long chalk,long haul,long range,long road,long run,long step,long way,longitude,lunar excursion module,lunar module,manned rocket,maximum,meridian,module,moon ship,mountaintop,multistage rocket,ne plus ultra,no place higher,noon,nth degree,orbit,parking orbit,peak,perigee,perihelion,period,pinnacle,pitch,point,pole,reentry,ridge,rocket,seventh heaven,shuttle rocket,sky,small circle,soft landing,solstitial colure,space capsule,space docking,space rocket,spacecraft,spaceship,spire,summit,the whole,tidy step,tip,tip-top,top,trajectory,upmost,upper extremity,uppermost,utmost,utmost extent,uttermost,vernal equinox,vertex,very top,zenith,zodiac,zone 1037 - Apollo,ATDA,ATS,Adonis,Agdistis,Alouette,Amen-Ra,Amor,Anna,Aphrodite,Apollo Belvedere,Apollo Musagetes,Apollon,Ares,Ariel,Artemis,Astarte,Ate,Athena,Atlas-Score,Bacchus,Balder,Biosatellite,Bragi,Calliope,Castilian Spring,Ceres,Cleopatra,Comsat,Cora,Cosmos,Courier,Cronus,Cupid,Cybele,Demeter,Despoina,Diana,Diapason,Dionysus,Dis,Discoverer,ERS,Early Bird,Echo,Elektron,Erato,Eros,Euterpe,Explorer,Freya,GATV,Gaea,Gaia,Ge,Gemini,Great Mother,Hades,Hebe,Helicon,Helios,Hephaestus,Hera,Here,Hermes,Hestia,Hippocrene,Hymen,Hyperion,Injun,Intelsat,Jove,Juno,Jupiter,Jupiter Fidius,Jupiter Fulgur,Jupiter Optimus Maximus,Jupiter Pluvius,Jupiter Tonans,Kore,Kronos,Lofti,Luna,Lunar Orbiter,Lunik,Magna Mater,Mariner,Mars,Mars probes,Mercury,Midas,Minerva,Mithras,Momus,Muse,Narcissus,Neptune,Nike,Nimbus,OAO,OGO,OSO,Olympians,Olympic gods,Ops,Orcus,Orpheus,Pageos,Parnassus,Pegasus,Persephassa,Persephone,Phoebus,Phoebus Apollo,Pierian Spring,Pierides,Pioneer,Pluto,Polyhymnia,Polymnia,Poseidon,Proserpina,Proserpine,Proton,Ra,Ranger,Relay,Rhea,Samos,San Marco,Saturn,Savitar,Secor,Shamash,Sol,Sputnik,Surveyor,Surya,Syncom,Tellus,Telstar,Terpsichore,Titan,Transit,Vanguard,Venus,Venus de Milo,Vesta,Viking,Voskhod,Vulcan,WRESAT,Zeus,Zond,afflatus,artificial satellites,creative imagination,fire of genius,houri,inspiration,peri,poesy,poetic genius,sacred Nine,spacecraft,the Graces,the Muses,the Nine,tuneful Nine 1038 - apologetic,abject,apologia,ascetic,atoning,cleansing,compensational,compensatory,compunctious,conscience-stricken,contrite,defense,excusatory,excusing,expiatory,extenuating,extenuative,humble,humbled,justification,justificatory,justifying,lustral,lustrational,lustrative,melted,palliative,penitent,penitential,penitentiary,piacular,propitiatory,purgative,purgatorial,purifying,reclamatory,recompensing,redeeming,redemptive,redressing,refuting,regretful,rehabilitative,remorseful,reparative,reparatory,repentant,repenting,restitutional,restitutive,restitutory,righting,rueful,satisfactional,sheepish,softened,sorry,squaring,touched,vindicative,vindicatory 1039 - apologetics,Buddhology,Mariolatry,Mariology,Mercersburg theology,apologia,apology,argument,argumentation,bicker,bickering,canonics,casuistry,contention,controversy,crisis theology,defense,dialogical theology,disputation,dispute,divinity,doctrinalism,doctrinism,dogmatics,eschatology,existential theology,flyting,hagiography,hagiology,hassle,hierology,hubbub,litigation,logomachy,logos Christology,logos theology,natural theology,neoorthodox theology,neoorthodoxy,paper war,passage of arms,patristic theology,phenomenological theology,physicotheology,polemic,polemics,rationalism,religion,rhubarb,scholastic theology,secularism,set-to,soteriology,systematics,theology,verbal engagement,war of words,wrangling 1040 - apologia,apologetic,apologetics,apology,argument,argumentation,bicker,bickering,casuistry,clarification,contention,controversy,defense,disputation,dispute,elucidation,explanation,flyting,hassle,hubbub,interpretation,justification,litigation,logomachy,paper war,passage of arms,polemic,polemics,rhubarb,set-to,verbal engagement,war of words,wrangling 1041 - apologist,Maecenas,Philadelphia lawyer,abettor,admirer,advocate,aficionado,angel,apologete,apologizer,arguer,argufier,backer,buff,casuist,champion,controversialist,debater,defender,dependence,disceptator,disputant,encourager,endorser,exponent,fan,favorer,friend at court,guard,guardhouse lawyer,justifier,logomacher,logomachist,lover,mainstay,maintainer,mooter,paladin,paranymph,partisan,patron,pilpulist,pleader,polemic,polemicist,polemist,promoter,proponent,protagonist,protector,reliance,second,seconder,sectary,sider,sponsor,stalwart,standby,successful advocate,support,supporter,sustainer,sympathizer,upholder,vindicator,votary,well-wisher,whitewasher,wrangler 1042 - apologize,alibi,alibi out of,apologize for,ask forgiveness,beg indulgence,beg pardon,cover with excuses,defend,do penance,espouse,excuse,express regret,justify,lie out of,make apology for,offer excuse for,plead guilty,plead ignorance,reform,repent,squirm out of,take back,think better of,vindicate,worm out of 1043 - apology,abject apology,acknowledgment,admission,advocating,advocation,alibi,amends,apologetic,apologetics,apologia,apologies,argument,argumentation,atonement,attrition,ayenbite of inwit,bicker,bickering,bitterness,blind,breast-beating,casuistry,championing,change of heart,cloak,color,concession,confession,contention,contriteness,contrition,controversy,cover,cover story,cover-up,deathbed repentance,defense,device,disputation,dispute,espousal,excuse,extenuation,facade,feint,flyting,front,gloss,grief,guise,handle,hassle,heartfelt apology,hubbub,justification,lame excuse,litigation,locus standi,logomachy,mask,mea culpa,ostensible motive,palliation,paper war,passage of arms,penance,penitence,polemic,polemics,poor excuse,pretense,pretension,pretext,protestation,public motive,put-off,redress,reformation,refuge,regret,regretfulness,regrets,regretting,remorse,remorse of conscience,remorsefulness,reparation,repentance,repining,rhubarb,saeta,satisfaction,screen,semblance,set-to,sham,shame,shamefacedness,shamefastness,shamefulness,show,smoke screen,sorriness,sorrow,stalking-horse,stratagem,subterfuge,support,trick,varnish,veil,verbal engagement,war of words,wearing a hairshirt,wistfulness,wrangling 1044 - apoplexy,Jacksonian epilepsy,Rolandic epilepsy,abdominal epilepsy,access,acquired epilepsy,activated epilepsy,affect epilepsy,akinetic epilepsy,angina,angina pectoris,aortic insufficiency,aortic stenosis,apoplectic stroke,arrest,arrhythmia,arteriosclerosis,atherosclerosis,atrial fibrillation,attack,auricular fibrillation,autonomic epilepsy,beriberi heart,blockage,breakup,cardiac arrest,cardiac epilepsy,cardiac insufficiency,cardiac shock,cardiac stenosis,cardiac thrombosis,carditis,cataclysm,catalepsy,cataplexy,climax,clonic spasm,clonus,congenital heart disease,convulsion,cor biloculare,cor juvenum,cor triatriatum,coronary,coronary insufficiency,coronary thrombosis,cortical epilepsy,cramp,cursive epilepsy,diastolic hypertension,diastrophism,diplegia,disaster,diurnal epilepsy,eclampsia,encased heart,endocarditis,epilepsia,epilepsia gravior,epilepsia major,epilepsia minor,epilepsia mitior,epilepsia nutans,epilepsia tarda,epilepsy,epitasis,extrasystole,falling sickness,fatty heart,fibroid heart,fit,flask-shaped heart,focal epilepsy,frenzy,frosted heart,grand mal,grip,hairy heart,haute mal,heart attack,heart block,heart condition,heart disease,heart failure,hemiplegia,high blood pressure,hypertension,hypertensive heart disease,hysterical epilepsy,ictus,infantile paralysis,ischemic heart disease,larval epilepsy,laryngeal epilepsy,laryngospasm,latent epilepsy,lockjaw,matutinal epilepsy,menstrual epilepsy,mitral insufficiency,mitral stenosis,musicogenic epilepsy,myocardial infarction,myocardial insufficiency,myocarditis,myoclonous epilepsy,myovascular insufficiency,nocturnal epilepsy,occlusion,orgasm,overthrow,ox heart,palpitation,palsy,paralysis,paralytic stroke,paraplegia,paresis,paroxysm,paroxysmal tachycardia,pericarditis,petit mal,physiologic epilepsy,pile,polio,poliomyelitis,premature beat,pseudoaortic insufficiency,psychic epilepsy,psychomotor epilepsy,pulmonary insufficiency,pulmonary stenosis,quake,reflex epilepsy,rheumatic heart disease,rotatoria,round heart,sclerosis,seizure,sensory epilepsy,sensory paralysis,serial epilepsy,sexual climax,spasm,stony heart,stoppage,stroke,tachycardia,tardy epilepsy,temblor,tetanus,tetany,throes,thromboembolism,thrombosis,tidal wave,tonic epilepsy,tonic spasm,torsion spasm,traumatic epilepsy,tricuspid insufficiency,tricuspid stenosis,trismus,tsunami,turtle heart,ucinate epilepsy,upheaval,varicose veins,varix,ventricular fibrillation,visitation 1045 - apostasy,Evangelicalism,Protestantism,Reform,Zwinglianism,about-face,accommodation,adaptation,adjustment,agreement to disagree,alienation,alteration,amelioration,atheism,backsliding,betrayal,betterment,bolt,break,breakaway,change,change of heart,changeableness,constructive change,continuity,conversion,counter-culture,crossing-over,defection,degeneration,degenerative change,dereliction,deserter,desertion,deterioration,deviation,difference,disaccord,disagreement,disapprobation,disapproval,discontinuity,disloyalty,disparity,dissatisfaction,dissension,dissent,dissentience,dissidence,divergence,diversification,diversion,diversity,dropping out,faithlessness,fall from grace,falseness,fitting,flip-flop,going over,gradual change,impiety,impiousness,improvement,irreligion,irreverence,lapse,lapse from grace,melioration,minority opinion,mitigation,modification,modulation,new theology,nonagreement,nonassent,nonconcurrence,nonconformity,nonconsent,opposition,overthrow,perfidy,qualification,radical change,ratting,re-creation,realignment,recidivation,recidivism,recreancy,recusance,recusancy,redesign,reform,reformation,rejection,remaking,renewal,renunciation,repudiation,reshaping,restructuring,reversal,revival,revivification,revolution,schism,secession,shift,sudden change,switch,tergiversation,total change,transition,treacherousness,treason,turn,turnabout,turning traitor,underground,undutifulness,upheaval,variance,variation,variety,violent change,walkout,withdrawal,worsening 1046 - apostate,Sabbath-breaker,atheist,atheistic,backslider,backsliding,blasphemer,blasphemous,bolter,collaborationist,collaborative,collaborator,convert,defector,degenerate,demurrer,deserter,disloyal,dissenter,dissentient,dissident,faithless,fallen,fallen from grace,fifth columnist,impious,irreligious,irreverent,lapsed,mugwump,nonconformist,objector,opinionist,opposition voice,profanatory,profane,proselyte,protestant,protester,quisling,rat,recidivist,recidivistic,recreant,recusant,renegade,renegado,renegate,reversionist,runagate,sacrilegious,sacrilegist,schismatic,seceder,secessionist,sectarian,sectary,separatist,strikebreaker,tergiversant,tergiversating,tergiversator,traitor,traitorous,treasonable,treasonous,turnabout,turncoat,turntail,unbeliever,undutiful 1047 - apostatize,apostacize,betray,bolt,break away,change sides,defect,degenerate,desert,fall away,fall off,go over,let down,pull out,rat,renegade,renege,renounce,repudiate,run out on,secede,sell out,switch,switch over,tergiversate,turn,turn against,turn cloak,turn traitor 1048 - apostle,Aaronic priesthood,Ambrose of Milan,Athanasius,Barnabas,Basil,Clement of Alexandria,Clement of Rome,Cyprian of Carthage,Cyril of Jerusalem,Gregory of Nyssa,Hermas,Ignatius,Irenaeus,Jerome,John,John Chrysostom,Justin Martyr,Lactantius Firmianus,Luke,Mark,Melchizedek priesthood,Origen,Papias,Paul,Peter,Polycarp,Seventy,Tertullian,ante-Nicene Fathers,bishop,colporteur,convert,converter,deacon,disciple,elder,evangelist,follower,high priest,missionary,missioner,patriarch,priest,propagandist,proselyte,proselyter,proselytizer,saint,teacher 1049 - apostolic,Biblical,Gospel,Mosaic,New-Testament,Old-Testament,apocalyptic,canonical,evangelic,evangelistic,gospel,inspired,papal,papish,papist,papistic,pontifical,popish,prophetic,revealed,revelational,scriptural,textual,textuary,theopneustic 1050 - apothecary,antique store,automobile showroom,bookstore,bootery,candy store,chemist,cigar store,clothiers,clothing store,confectionery,dispenser,dress shop,druggist,drugstore,dry goods store,florists,fur salon,furniture store,gallipot,gift shop,haberdashery,hardware store,hat shop,hobby shop,ironmongery,jewelers,jewelry store,leather goods store,liquor store,luggage shop,milliners,novelty shop,package store,pharmaceutist,pharmacist,pharmacy,posologist,saddlery,schlock house,schlock shop,secondhand shop,secondhand store,shoe store,smoke shop,specialty shop,sporting goods store,stationers,stationery store,sweater shop,sweet shop,thrift shop,tobacco store,tobacconists,toy shop,trimming store,used-car lot 1051 - apothegm,adage,ana,analects,aphorism,axiom,bon mot,boutade,bright idea,bright thought,brilliant idea,brocard,byword,catchword,collected sayings,conceit,crack,current saying,dictate,dictum,distich,epigram,expression,facetiae,flash of wit,flight of wit,gibe,gnome,golden saying,happy thought,maxim,moral,mot,motto,nasty crack,oracle,persiflage,phrase,pithy saying,play of wit,pleasantry,precept,prescript,proverb,proverbial saying,proverbs,quip,quips and cranks,repartee,retort,riposte,rule,sally,saw,saying,scintillation,sentence,sententious expression,sloka,smart crack,smart saying,snappy comeback,stock saying,stroke of wit,sutra,teaching,text,truism,turn of thought,verse,wisdom,wisdom literature,wise saying,wisecrack,witticism,word,words of wisdom 1052 - apotheosis,accolade,acme,admiration,adoration,adulation,aggrandizement,appreciation,approbation,approval,ascension,ascent,assumption,awe,beatification,beau ideal,bepraisement,best type,breathless adoration,canonization,congratulation,consideration,courtesy,culmination,cynosure,deference,deification,dignification,duty,ego ideal,elevation,eloge,embodiment,encomium,ennoblement,enshrinement,enthronement,epitome,erection,escalation,esteem,estimation,eulogium,eulogy,exaggerated respect,exaltation,excessive praise,favor,fetishization,flattery,gathering,glorification,glory,great respect,height,hero,hero worship,high regard,homage,hommage,honor,ideal,idolatry,idolization,idolizing,immortalization,kudos,last word,laud,laudation,lifting,lionization,lionizing,magnification,meed of praise,mirror,overpraise,paean,panegyric,paragon,peak,praise,prestige,quintessence,raising,rearing,regard,respect,resurrection,reverence,reverential regard,sainting,sanctification,shining example,summit,sursum corda,the Ascension,the Assumption,translation,tribute,ultimate,upbuoying,upcast,upheaval,uplift,uplifting,upping,uprearing,upthrow,upthrust,veneration,worship 1053 - appall,abash,astound,awe,confound,daunt,discomfit,disconcert,disgust,dismay,faze,freeze,give offense,gross out,horrify,nauseate,offend,overawe,paralyze,petrify,put off,put out,repel,revolt,scare stiff,scare to death,shake,shock,sicken,strike dumb,strike terror into,stun,stupefy,take aback,terrify,turn the stomach 1054 - appalling,astonishing,astounding,atrocious,awe-inspiring,awesome,awful,baneful,beastly,bewildering,confounding,conspicuous,daunting,dire,direful,dismaying,dread,dreaded,dreadful,dumbfounding,egregious,exceptional,extraordinary,fabulous,fantastic,fell,formidable,frightful,ghastly,ghoulish,grim,grisly,gruesome,hideous,horrendous,horrible,horrid,horrific,horrifying,incredible,macabre,marked,marvelous,morbid,notable,noteworthy,noticeable,of mark,outstanding,redoubtable,remarkable,rotten,schrecklich,shocking,signal,striking,superior,terrible,terrific,tragic,tremendous,uncommon,unspeakable,wonderful 1055 - appanage,accession,accessories,accessory,accompaniment,addenda,addendum,additament,addition,additive,additory,additum,adjunct,adjuvant,annex,annexation,appanages,appendage,appendages,appendant,appointments,appurtenance,appurtenances,appurtenant,attachment,augment,augmentation,belongings,birthright,choses,choses in action,choses in possession,choses local,choses transitory,coda,complement,concomitant,continuation,corollary,dot,dower,dowry,endowment,extension,extrapolation,fixture,foundation,increase,increment,investment,jointure,legal jointure,marriage portion,material things,movables,offshoot,paraphernalia,pendant,perquisite,perquisites,personal effects,portion,prerogative,privilege,reinforcement,settlement,side effect,side issue,supplement,tailpiece,things,thirds,trappings,undergirding 1056 - apparatus,Bunsen burner,Erlenmeyer flask,Kipp generator,accouterments,alembic,appliance,appliances,appointments,appurtenances,armament,aspirator,bag and baggage,baggage,beaker,blowpipe,burette,capillary tube,condenser,contraption,contrivance,conveniences,crucible,deflagrating spoon,desiccator,device,distiller,duffel,dunnage,equipage,equipment,etna,facilities,facility,fittings,fixtures,furnishings,furniture,gadget,gear,gimcrack,gimmick,gizmo,habiliments,hand tool,impedimenta,implement,installations,instrument,kit,luggage,machine,machinery,materiel,matrass,means,mechanical device,munition,munitions,outfit,paraphernalia,pestle and mortar,pipette,plant,plumbing,power tool,precision balance,precision tool,provisions,reagent bottle,receiver,retort,rig,rigging,speed tool,still,stock-in-trade,supplies,tackle,tackling,test tube,things,tool,traps,utensil,utensils 1057 - apparel,appoint,array,attire,bedizenment,clad,clothes,clothing,costume,drapery,dress,dressing,duds,enclothe,fashion,fatigues,feathers,fig,garb,garment,garments,gear,guise,habiliment,habiliments,habit,investiture,investment,linen,rags,raiment,robes,sportswear,style,things,threads,togs,toilette,trim,vestment,vesture,wear,wearing apparel 1058 - apparent,Barmecidal,Barmecide,airy,apparitional,appearing,autistic,beholdable,chimeric,clear,clear as crystal,colorable,colored,conceivable,conspicuous,cortical,credible,crystal-clear,deceptive,delusional,delusionary,delusive,delusory,dereistic,detectable,discernible,disclosed,distinct,dreamlike,dreamy,epidermic,erroneous,evident,exomorphic,explicit,exposed,exposed to view,express,exterior,external,extrinsic,factitious,fake,fallacious,false,fantastic,fringe,gilded,hanging out,illusional,illusionary,illusive,illusory,imaginary,in evidence,in full view,in plain sight,in view,indisputable,indubitable,insight,manifest,marked,meretricious,misleading,naked,noticeable,observable,obvious,open,open to view,open-and-shut,ostensible,out,outcropping,outer,outermost,outlying,outmost,outside,outstanding,outward,outward-facing,palpable,patent,perceivable,perceptible,peripheral,perspicuous,phantasmagoric,phantasmal,phantom,plain,plain as day,plausible,ponderable,prominent,pseudo,public,reasonable,recognizable,revealed,roundabout,seeable,seeming,self-deceptive,self-deluding,self-evident,self-explaining,self-explanatory,sham,showing,specious,spectral,superficial,supposititious,surface,tangible,tinsel,to be seen,unactual,unambiguous,unclouded,unconcealed,undisguised,unequivocal,unfounded,unhidden,unmistakable,unreal,unsubstantial,viewable,visible,visionary,visual,witnessable 1059 - apparently,artificially,as it seems,at first sight,clearly,conspicuously,definitely,discernibly,distinctly,erroneously,evidently,explicitly,expressly,exteriorly,externally,factitiously,falsely,glaringly,in name only,manifestly,markedly,nominally,noticeably,observably,obviously,officially,on the outside,on the surface,openly,ostensibly,out,outside,outwardly,outwards,palpably,patently,perceivably,perceptibly,plainly,plausibly,prima facie,professedly,prominently,pronouncedly,publically,recognizably,seeably,seemingly,spuriously,staringly,starkly,superficially,synthetically,to all appearances,to all seeming,to the eye,truthlessly,unconcealedly,undisguisedly,ungenuinely,unmistakably,unnaturally,untruly,unveraciously,visibly,with clarity,without 1060 - apparition,Masan,appearance,appearing,arising,astral,astral spirit,avatar,banshee,bogey,brainchild,bubble,chimera,coming,coming into being,coming-forth,control,corposant,delirium,delusion,departed spirit,disclosure,disembodied spirit,duppy,dybbuk,eidolon,emergence,epiphany,exposure,false image,fancy,fantasque,fantasy,fiction,figment,figure,form,forthcoming,ghost,grateful dead,guide,hallucination,hant,haunt,idle fancy,idolum,illusion,image,imagery,imagination,imagining,immateriality,incarnation,incorporeal,incorporeal being,incorporeity,insubstantial image,invention,issuance,larva,lemures,maggot,make-believe,manes,manifestation,marshfire,materialization,materializing,mirage,myth,occurrence,oni,opening,phantasm,phantasma,phantasmagoria,phantom,phasm,phenomenon,poltergeist,presence,presentation,realization,revelation,revenant,rise,rising,romance,shade,shadow,shape,showing,showing forth,shrouded spirit,sick fancy,specter,spectral ghost,spectrum,spirit,spook,sprite,theophany,thick-coming fancies,trip,umbra,unfolding,unfoldment,unsubstantiality,vapor,vision,waking dream,walking dead man,wandering soul,whim,whimsy,wildest dream,wildest dreams,wraith,zombie 1061 - appeal to,accost,address,adjure,apostrophize,appeal,approach,ask,ask for,beg,beseech,bespeak,blackmail,buttonhole,call for,call for help,call on,call to,call upon,challenge,claim,clamor for,conjure,crave,cross-refer,cross-reference,cry for,cry on,cry to,demand,direct attention to,entreat,exact,extort,greet,hail,halloo,impetrate,implore,impose,imprecate,indent,invoke,issue an ultimatum,kneel to,levy,make a cross-reference,make a demand,make reference to,obtest,order,order up,place an order,plead,plead for,pray,put in requisition,refer to,reference,require,requisition,run to,salute,screw,speak,speak fair,speak to,supplicate,take aside,talk to,warn 1062 - appeal,Angelus,Ave,Ave Maria,Hail Mary,Kyrie Eleison,Paternoster,acceptability,adjuration,adjure,adorability,agacerie,agreeability,aid prayer,allure,allurement,amiability,appeal motion,appeal to,appealingness,application,application for retrial,apply,asking,attract,attraction,attractiveness,be attractive,beadroll,beads,beckon,beg,beguile,beguilement,beguiling,beseech,beseechment,bewitchery,bewitchment,bid,bidding prayer,blandishment,brace,breviary,cajolery,call,call for help,call on,call upon,captivation,certiorari,chaplet,charisma,charm,charmingness,clamor,clamor for,collect,come-hither,communion,conjure,contemplation,crave,cry,cry for,cry on,cry to,delightfulness,desirability,devotions,draw,drawing power,enchantment,engage,enravishment,enthrallment,enticement,entrancement,entrapment,entreat,entreaty,excite,exquisiteness,fascinate,fascination,fetch,flirtation,forbidden fruit,glamour,grace,impetrate,impetration,imploration,implore,imploring,importune,imprecate,imprecation,inducement,intercession,interest,intrigue,inveiglement,invitation,invite,invitingness,invocation,invocatory plea,invoke,kneel to,likability,litany,lovability,loveliness,lovesomeness,lure,luxury,magnetism,meditation,obsecration,obtest,obtestation,orison,petition,plea,plead,plead for,pleasantness,please,pray,prayer,prayer wheel,provocativeness,pull,request,requesting,rogation,rosary,run to,seducement,seduction,seductiveness,sensuousness,sex appeal,silent prayer,snaring,solicit,solicitation,sue,sue for,suit,summon,supplicate,supplication,sweetness,tantalization,tantalize,tantalizingness,tease,tempt,temptation,temptingness,thanks,thanksgiving,tickle,titillate,unobjectionableness,voluptuousness,whet the appetite,winning ways,winningness,winsomeness,witchcraft,witchery,wooing,writ of certiorari,writ of error 1063 - appealing,achingly sweet,adjuratory,agreeable,agreeable-sounding,alluring,appetizing,ariose,arioso,attracting,attractive,begging,beguiling,beseeching,bewitching,blandishing,cajoling,canorous,cantabile,captivating,catching,catchy,charismatic,charming,coaxing,come-hither,coquettish,delightful,dulcet,enchanting,engaging,enravishing,enthralling,enticing,entrancing,entreating,euphonic,euphonious,euphonous,exciting,exotic,exquisite,fascinating,fetching,fine-toned,flirtatious,glamorous,golden,golden-tongued,golden-voiced,heart-robbing,honeyed,hypnotic,imploring,interesting,intriguing,inviting,irresistible,lovely,luxurious,melic,mellifluent,mellifluous,mellisonant,mellow,melodic,melodious,mesmeric,mouth-watering,music-flowing,music-like,musical,piquant,pleading,pleasant,pleasant-sounding,precative,precatory,prepossessing,provocative,provoquant,ravishing,rich,seducing,seductive,sensuous,silver-toned,silver-tongued,silver-voiced,silvery,singable,siren,sirenic,songful,songlike,sonorous,spellbinding,spellful,sweet,sweet-flowing,sweet-sounding,taking,tantalizing,teasing,tempting,thrilling,tickling,titillating,titillative,tunable,tuneful,voluptuous,winning,winsome,witching 1064 - appear,act,act as foil,appear like,approach,arise,arrive,assister,attend,barnstorm,be at,be evident,be noticeable,be present at,be revealed,be seen,be visible,become known,become manifest,become visible,break forth,catch,chance,come,come along,come forth,come forward,come in sight,come into being,come into existence,come on,come out,come to,come to hand,come to light,come up,crop out,crop up,do,draw on,emanate,emerge,emote,emotionalize,enter,fade in,feel,figure,get out,get top billing,glare,go to,happen,have no secrets,heave in sight,issue,issue forth,leak out,look,look forth,look like,look on,loom,loom large,manifest itself,materialize,meet the gaze,mime,occur,open up,out,outcrop,pantomime,patter,peep out,perform,play,play the lead,playact,pop up,present itself,rear its head,register,rise,see,see the light,seem,seem like,seem to be,shine out,shine through,show,show its colors,show its face,show through,show up,sit in,sketch,sound,sound like,speak out,speak up,spring,spring up,stand forth,stand out,stand revealed,star,steal the show,stooge,stream forth,strike the eye,surface,take a stand,take in,transpire,tread the boards,troupe,turn up,upstage,vise,visit,watch,witness 1065 - appearance,Christophany,Masan,Prospero,Satanophany,accomplishment,achievement,acting,advent,affectation,air,airiness,angelophany,apparent character,apparition,appearances,approach,arrival,aspect,astral,astral spirit,attainment,attitudinizing,avatar,banshee,bearing,bluff,bluffing,cheating,color,coloring,coming,control,countenance,deception,delusion,delusiveness,demeanor,departed spirit,disclosure,disembodied spirit,disguise,display,dissemblance,dissembling,dissemination,dissimulation,duppy,dybbuk,eidolon,embodiment,epiphany,evidence,evincement,expression,exteriority,exteriors,external appearance,externality,externalness,externals,extrinsicality,facade,face,fakery,faking,fallaciousness,false air,false appearance,false front,false image,false light,false show,falseness,falsity,fantasy,features,feigning,feint,fiction,figure,foreignness,form,four-flushing,fraud,front,gaudiness,ghost,gilt,gloss,grateful dead,guide,guise,hant,haunt,hint,humbug,humbuggery,idealization,idolum,illusion,illusionism,illusionist,illusiveness,image,immateriality,imposture,incarnation,incorporeal,incorporeal being,incorporeity,indication,larva,lemures,lineaments,look,looks,magic,magic act,magic show,magician,make-believe,manes,manifestation,manner,masquerade,materialization,mere externals,meretriciousness,mien,mirage,oni,openness,ostent,ostentation,outerness,outside,outward appearance,outward show,outwardness,phantasm,phantasma,phantasmagoria,phantom,phasm,phenomenon,playacting,pneumatophany,poltergeist,pose,posing,posture,presence,prestidigitation,pretense,pretension,pretext,proof,public image,publication,reaching,representation,revelation,revenant,seeming,semblance,shade,shadow,shallowness,sham,shape,show,showing,shrouded spirit,simulacrum,simulation,sleight of hand,sorcerer,sorcery,specious appearance,speciousness,specter,spectral ghost,spirit,spook,sprite,suggestion,superficiality,surface appearance,surface show,theophany,unactuality,unreality,unsubstantiality,vain show,varnish,vision,waking dream,walking dead man,wandering soul,wildest dream,window dressing,wraith,zombie 1066 - appease,abate,allay,alleviate,anesthetize,assuage,benumb,calm,calm down,cater to,coddle,compose,conciliate,content,cool,cradle,cushion,deaden,deaden the pain,defuse,diminish,dulcify,dull,ease,ease matters,even out,extenuate,feast,feed,foment,gentle,give relief,gloss over,gratify,hush,immolate before,lay,lay the dust,lessen,lull,make propitiation,make sacrifice to,mitigate,mollify,numb,offer sacrifice,pacify,pad,palliate,pamper,placate,poultice,pour balm into,pour balm on,pour oil on,propitiate,quell,quench,quiet,reduce,regale,relieve,rest,rock,rock to sleep,sacrifice,salve,sate,satiate,satisfy,slacken,slake,smooth,smooth down,smooth over,smoothen,soften,soothe,spoil,stabilize,steady,still,stupe,subdue,sweeten,tranquilize,whitewash 1067 - appeasement,Eisenhower Doctrine,Monroe Doctrine,Nixon Doctrine,Truman Doctrine,United Nations troops,abatement,allayment,alleviation,analgesia,anesthesia,anesthetizing,assuagement,atonement,balance of power,brinkmanship,calming,coexistence,colonialism,compromise,conciliation,containment,deadening,detente,deterrence,diminishment,diminution,diplomacy,diplomatic,diplomatics,dollar diplomacy,dollar imperialism,dulcification,dulling,ease,easement,easing,easing of relations,expansionism,foreign affairs,foreign policy,good-neighbor policy,imperialism,internationalism,isolationism,lessening,lulling,manifest destiny,mediation,militarism,mitigation,mollification,nationalism,neocolonialism,neutralism,nonresistance,numbing,open door,open-door policy,pacification,palliation,peace offensive,peace-keeping force,peaceful coexistence,peacemaking,peacemongering,placability,placation,preparedness,propitiation,reduction,relaxation of tension,relief,remedy,salving,shirt-sleeve diplomacy,shuttle diplomacy,softening,soothing,spheres of influence,subduement,the big stick,tough policy,tranquilization,world politics 1068 - appellation,appellative,baptism,binomen,binomial name,byword,calling,christening,cognomen,cryptonym,definition,denomination,designation,empty title,epithet,eponym,euonym,handle,honorific,hyponym,identification,label,moniker,name,namesake,naming,nicknaming,nomen,nomen nudum,proper name,proper noun,scientific name,secret name,style,styling,tag,tautonym,terming,title,trinomen,trinomial name 1069 - append,add,adjoin,affix,agglutinate,annex,attach,burden,complicate,conjoin,decorate,encumber,glue on,hitch on,infix,join with,ornament,paste on,plus,postfix,prefix,put with,saddle with,slap on,subjoin,suffix,superadd,superpose,tack on,tag,tag on,take on,unite with 1070 - appendage,accession,accessories,accessory,accident,accidental,accompaniment,addenda,addendum,additament,addition,additive,additory,additum,adherent,adjunct,adjuvant,annex,annexation,appanage,appanages,appendages,appendant,appendix,appointments,appurtenance,appurtenances,appurtenant,arm,attachment,attendant,augment,augmentation,auxiliary,belongings,bough,branch,buff,cavaliere servente,choses,choses in action,choses in possession,choses local,choses transitory,coda,collateral,complement,concomitant,contingency,contingent,continuation,corollary,courtier,dangler,dependent,disciple,extension,extra,extrapolation,fan,fixture,flunky,follower,following,hand,hanger-on,happenstance,heeler,henchman,homme de cour,imp,incidental,increase,increment,inessential,joint,leg,limb,link,lobe,lobule,man,material things,member,mere chance,movables,nonessential,not-self,offshoot,organ,other,paraphernalia,parasite,partisan,pendant,perquisites,personal effects,pinion,public,pursuer,pursuivant,ramification,reinforcement,retainer,runner,satellite,scion,secondary,sectary,servant,shadow,side effect,side issue,spray,sprig,spur,stooge,subsidiary,successor,superaddition,supplement,supporter,switch,tagtail,tail,tailpiece,tendril,things,trainbearer,trappings,twig,undergirding,unessential,votary,ward heeler,wing 1071 - appendectomy,adenoidectomy,arteriectomy,castration,cholecystectomy,craniectomy,cricoidectomy,cystectomy,enterectomy,gastrectomy,hemorrhoidectomy,hysterectomy,mammectomy,mastectomy,mastoidectomy,nephrectomy,omphalectomy,oophorectomy,oophorocystectomy,orchidectomy,ovariectomy,pancreatectomy,penectomy,pericardiectomy,phrenicectomy,pneumonectomy,prostatectomy,salpingectomy,stapedectomy,tonsillectomy,ureterectomy,urethrectomy,vasectomy,venectomy 1072 - appendicitis,adenoiditis,adrenitis,arteritis,arthritis deformans,arthritis fungosa,arthritis pauperum,atrophic arthritis,atrophic inflammation,blennorrhagic arthritis,brain fever,bronchitis,bunion,bursitis,capillaritis,carditis,catarrh,catarrhal inflammation,cerebellitis,cerebral meningitis,cerebritis,cerebrospinal meningitis,chronic infectious arthritis,chronic inflammation,cirrhotic inflammation,climactic arthritis,clitoritis,colitis,collagen disease,conjunctivitis,cystitis,degenerative arthritis,diffuse inflammation,encephalitis,endocarditis,enteritis,equine encephalomyelitis,exudative inflammation,fibroid inflammation,focal inflammation,gastritis,gingivitis,glossitis,gonococcal arthritis,gonorrheal arthritis,gonorrheal rheumatism,gout,gouty arthritis,hemophilic arthritis,hepatitis,hyperplastic inflammation,hypertrophic arthritis,hypertrophic inflammation,infectional arthritis,infectious hepatitis,inflammation,irritable bowel syndrome,laryngitis,lumbago,lumbar rheumatism,mastoiditis,meningitis,menopausal arthritis,metastatic inflammation,metritis,milk leg,mucous colitis,mumps meningitis,myelitis,necrotic inflammation,nephritis,neuritis,obliterative inflammation,ophthalitis,ophthalmia,orchitis,osseous rheumatism,osteitis,osteoarthritis,osteomyelitis,otitis,ovaritis,paradental pyorrhea,penitis,pericarditis,periodontitis,peritonitis,pharyngitis,phlebitis,podagra,proliferative arthritis,prostatitis,pyonephritis,pyorrhea,pyorrhea alveolaris,reactive inflammation,rheumatism,rheumatiz,rheumatoid arthritis,rhinitis,sclerosing inflammation,seroplastic inflammation,serous inflammation,serum hepatitis,simple inflammation,sinusitis,spastic colon,specific inflammation,subacute rheumatism,suppurative arthritis,suppurative inflammation,syphilitic arthritis,tennis elbow,testitis,thrombophlebitis,tonsilitis,torticollis,toxic inflammation,traumatic inflammation,tuberculous arthritis,tuberculous rheumatism,ulcerative colitis,uratic arthritis,ureteritis,urethral arthritis,urethritis,uteritis,vaginitis,vertebral arthritis,visceral rheumatism,vulvitis,wryneck 1073 - appendix,PS,Parthian shot,abdomen,accessory,addendum,adjunct,affix,afterthought,allonge,anus,appurtenance,back matter,blind gut,bowels,brain,cecum,chorus,coda,codicil,colon,colophon,commentary,conclusion,consequence,continuance,continuation,double take,duodenum,dying words,enclitic,endocardium,entrails,envoi,epilogue,follow-through,follow-up,foregut,giblets,gizzard,guts,heart,hindgut,infix,innards,inner mechanism,insides,interlineation,internals,interpolation,intestine,inwards,jejunum,kidney,kishkes,large intestine,last words,liver,liver and lights,lung,marginalia,midgut,note,parting shot,perineum,peroration,postface,postfix,postlude,postscript,prefix,proclitic,pump,pylorus,rectum,refrain,rider,scholia,second thought,sequel,sequela,sequelae,sequelant,sequent,sequitur,small intestine,spleen,stomach,subscript,suffix,supplement,swan song,tag,tail,ticker,tripes,vermiform appendix,viscera,vitals,works 1074 - appertain to,affect,answer to,apply to,bear on,bear upon,belong to,concern,connect,correspond to,deal with,have connection with,interest,involve,liaise with,link with,pertain to,refer to,regard,relate to,respect,tie in with,touch,touch upon,treat of,vest in 1075 - appertaining,a propos,ad rem,admissible,affinitive,applicable,applying,apposite,appropriate,apropos,associative,belonging,comparable,comparative,congenial,connective,correlative,en rapport,germane,in point,involving,linking,material,pertaining,pertinent,proportionable,proportional,proportionate,referable,referring,relating,relational,relative,relevant,sympathetic,to the point,to the purpose 1076 - appetite,Cyrenaic hedonism,Cyrenaicism,alacrity,an universal wolf,animation,animus,anxiety,anxiousness,appetence,appetency,appetition,appetitiveness,avidity,avidness,bent,bias,breathless impatience,canine appetite,cannibalism,carnivorism,carnivority,carnivorousness,cheerful readiness,chewing,choice,command,conation,conatus,consumption,coveting,craving,cropping,cupidity,decision,deglutition,demand,desire,determination,devouring,devourment,dieting,dining,discretion,disposition,drought,dryness,eagerness,eating,edacity,elan,emptiness,empty stomach,enthusiasm,epicureanism,epicurism,epulation,ethical hedonism,fancy,feasting,feeding,flair,fondness,forwardness,free choice,free will,gluttony,gobbling,gourmandise,grazing,greed,gust,gusto,hankering,hedonic calculus,hedonics,hedonism,herbivorism,herbivority,herbivorousness,hollow hunger,hunger,hungriness,impatience,inclination,ingestion,intention,itch,itching,keen desire,keenness,leaning,licking,life,liking,liveliness,longing,love,lust,luxuriousness,luxury,manducation,mania,mastication,messing,mind,munching,nibbling,nutrition,objective,omnivorism,omnivorousness,omophagy,pantophagy,passion,pasture,pasturing,pecking,penchant,pleasure,pleasure principle,pleasure-seeking,polydipsia,predilection,preference,proclivity,promptness,propensity,prurience,pruriency,psychological hedonism,quickness,readiness,regalement,relish,relishing,resolution,rumination,savoring,sensualism,sensuality,sensualness,sexual desire,soft spot,spirit,stomach,sweet tooth,sybaritism,tapeworm,taste,tasting,tendency,thirst,thirstiness,torment of Tantalus,unchastity,urge,urgency,vegetarianism,velleity,verve,vitality,vivacity,volition,voluptuousness,voracity,weakness,will,will power,wish,wolfing,yearning,zeal,zest,zestfulness 1077 - appetizing,acceptable,adorable,agreeable,alluring,appealing,attractive,beguiling,bewitching,blandishing,cajoling,captivating,catching,charismatic,charming,coaxing,come-hither,coquettish,desirable,enchanting,engaging,enravishing,enthralling,enticing,entrancing,enviable,exciting,exotic,fascinating,fetching,flavorsome,flirtatious,glamorous,hypnotic,interesting,intriguing,inviting,irresistible,likable,lovable,mesmeric,mouth-watering,piquant,pleasing,prepossessing,provocative,provoquant,ravishing,relishing,sapid,saporous,savory,seducing,seductive,siren,sirenic,spellbinding,spellful,taking,tantalizing,tasteful,tasty,teasing,tempting,tickling,titillating,titillative,to be desired,toothsome,unobjectionable,winning,winsome,witching,worth having 1078 - applaud,abide by,accede,accept,acclaim,acquiesce,acquiesce in,agree,agree to,agree with,approve,assent,boost,buy,cheer,cheer on,clap,clap the hands,commend,compliment,comply,consent,cry,cry for joy,encore,eulogize,extol,give a cheer,give a hand,give the nod,glorify,hail,hear it for,hold with,hooray,hurrah,hurray,huzzah,in toto,laud,magnify,nod,nod assent,panegyrize,plug,praise,receive,recommend,root,root for,shout,shout hosanna,subscribe to,take kindly to,vote for,welcome,yell,yes,yield assent 1079 - applause,acclaim,acclamation,alleluia,approbation,approval,big hand,burst of applause,cheer,cheering,cheers,chorus of cheers,clap,clapping,clapping of hands,commendation,cry,eclat,encore,hallelujah,hand,handclap,handclapping,hooray,hosanna,hurrah,hurray,huzzah,kudos,ovation,paean,plaudit,plaudits,popularity,praise,rah,rooting,round,round of applause,shout,thunder of applause,yell,yippee 1080 - apple polisher,ass-licker,backscratcher,backslapper,bootlick,bootlicker,brown-nose,brownie,clawback,courtier,creature,cringer,dupe,fawner,flatterer,flunky,footlicker,groveler,handshaker,helot,instrument,jackal,kowtower,lackey,led captain,lickspit,lickspittle,mealymouth,minion,peon,puppet,serf,slave,spaniel,stooge,suck,sycophant,timeserver,toad,toady,tool,truckler,tufthunter,yes-man 1081 - apple polishing,ass-kissing,backscratching,bootlicking,brown-nosing,cringing,fawnery,fawning,flunkyism,footlicking,groveling,handshaking,ingratiation,insinuation,mealymouthedness,obeisance,obsequiousness,parasitism,prostration,sponging,sycophancy,timeserving,toadeating,toadying,toadyism,truckling,tufthunting 1082 - appliance,Charlie McCarthy,accommodation,accouterments,active use,advantage,agent,amenity,ancilla,apparatus,appliances,application,appointments,appurtenance,appurtenances,armament,brassware,chinaware,clayware,consumption,contrivance,convenience,conveniences,copperware,creature,device,dinnerware,drive,duffel,dummy,dupe,durable goods,durables,earthenware,employ,employment,enamelware,equipage,equipment,exercise,exertion,facilities,facility,fittings,fixture,fixtures,flatware,furnishings,furniture,gear,glassware,go-between,good use,graniteware,handmaid,handmaiden,hard goods,hard usage,hard use,hardware,hollow ware,housefurnishings,housewares,ill use,impedimenta,implement,installations,instrument,interagent,intermediary,intermediate,intermedium,ironmongery,ironware,kit,kitchenware,lever,machine,machinery,materiel,mechanical aid,mechanical device,mechanism,mediator,medium,metalware,midwife,minion,misuse,motive power,motor,munition,munitions,operation,organ,outfit,ovenware,paraphernalia,pawn,plant,play,plaything,plumbing,power plant,power source,puppet,rig,rigging,rough usage,servant,silverware,slave,sporting goods,stock-in-trade,stoneware,stooge,tableware,tackle,things,tinware,tool,tools and machinery,toy,usage,use,using up,utensils,utility,vehicle,white goods,woodenware,wrong use 1083 - applicable,a propos,actionable,ad rem,adapted,admissible,appertaining,appliable,applying,apposite,appropriate,apropos,apt,authorized,becoming,befitting,belonging,compatible,competent,compliant,congenial,connective,constitutional,correct,dovetailing,exploitable,felicitous,fit,fitted,fitting,geared,germane,good,happy,in point,involving,judicial,juridical,just,just right,justiciable,kosher,lawful,lawmaking,legal,legislative,legit,legitimate,licit,likely,manipulable,material,meet,meshing,on the button,operable,opportune,pat,pertaining,pertinent,pliable,practical,proper,qualified,relevant,reusable,right,rightful,sanctioned,seasonable,seemly,sortable,statutory,suitable,suited,suiting,tailored,to the point,to the purpose,usable,utilizable,valid,within the law 1084 - application,Ace bandage,Band-Aid,absorbed attention,absorption,accounting for,active use,address,adhesive tape,administration,answerability,appeal,appliance,applicability,applying,appositeness,ardor,arrogation,ascription,asking,assiduity,assiduousness,assignation,assignment,attachment,attention,attribution,band,bandage,bandaging,bearing,bestowal,binder,blame,boning,brace,brainwork,bulldog tenacity,busyness,cast,cataplasm,charge,claim,commitment,compress,concentration,concern,concernment,connection,connection with,conning,consideration,constancy,consumption,contemplation,cotton,court plaster,cram,cramming,cravat,credit,debate,dedication,deep study,deep thought,deliberation,demand,derivation from,desire,devotion,diligence,dogged perseverance,doggedness,dosage,dosing,dressing,drill,effort,elastic bandage,employ,employment,endurance,energeticalness,energy,enforcing,engagement,engrossment,entreaty,epithem,etiology,exercise,exercising,exertion,expressed desire,extensive study,fervor,fidelity,forcing,forcing on,four-tailed bandage,gauze,germaneness,giving,good use,grind,grinding,hard usage,hard use,headwork,heed,honor,ill use,immersion,impetration,imploration,imprecation,imputation,indefatigability,indent,industriousness,industry,insistence,insistency,inspection,intentness,interest,involvement,laboriousness,lint,loyalty,lucubration,materiality,meditation,mental labor,meting out,misuse,monomania,obsession,obstinacy,operation,orison,palaetiology,patience,patience of Job,permanence,perseverance,persistence,persistency,pertinaciousness,pertinacity,pertinence,perusal,petition,placement,plaster,plaster cast,plea,pledget,plodding,plugging,poultice,practice,preoccupation,prescribing,profound thought,rapt attention,reading,reference,reference to,regard,relatedness,relentlessness,relevance,request,requisition,resolution,respect,responsibility,restudy,restudying,review,roller,roller bandage,rough usage,rubber bandage,saddling,sedulity,sedulousness,single-mindedness,singleness of purpose,sling,slogging,solicitation,splint,sponge,stability,stamina,staying power,steadfastness,steadiness,stick-to-itiveness,strenuousness,stubbornness,studiousness,study,studying,stupe,subject,submersion,suit,supplication,swotting,tampon,tape,tenaciousness,tenacity,tent,tirelessness,tourniquet,triangular bandage,unremittingness,unsparingness,unswerving attention,usage,use,using up,utilization,vehemence,wide reading,wish,wrong use,zeal,zealousness 1085 - applique,baste,bind,buttonhole,crochet,cross-stitch,embroider,fell,flap,fly,gather,imbrication,knit,lap,machine-stitch,overcast,overhand,overlap,overlapping,overlay,overlayer,purl,quilt,renter,run,saddle-stitch,seam,single-stitch,tack,tat,whip,whipstitch 1086 - apply,accouter,accredit,address,administer,affix,allot,ally,appeal,appertain,apply for,apply to,appoint,appropriate,ascribe,ask,ask for,assign,associate,attach,attend,attribute,audition,authorize,bear,beg,beg leave,bend,beseech,bespeak,bestow,bid,bind,blanket,block,bracket,buckle down,call for,call on,call upon,canopy,carry out,cement,circulate a petition,cloak,clothe,cloud,commission,commit,concentrate,connect,cope,correlate,couple,cover,cover up,cowl,crave,credit,curtain,dedicate,demand,desire,devote,direct,do,dose,dose with,draw a parallel,dress up,drudge,eclipse,embellish,embrocate,employ,enforce,enforce upon,enrich,entreat,equate,equip,exercise,exploit,fasten,file for,film,finger,fit out,fix,focus,force,force upon,furbish,garnish,gear,give,glue,go,go after,grind,handle,hood,identify,implore,importune,impute,indent,interrelate,interview,lay on,lay over,link,make,make a request,make a requisition,make application,mantle,mask,memorialize,mete out to,muffle,name,nominate,obduce,obscure,occult,order,outfit,overlay,overspread,parallel,parallelize,pay attention,pertain,petition,place,pray,prefer a petition,prescribe for,press,put,put in,put in for,put in force,put in practice,put into execution,put on,put to use,put upon,recur,refer,register,relate,relativize,repair,request,requisition,rig,rub in,rub on,run,screen,scum,seek,set about,set off,shield,sign a petition,solicit,spread over,spruce up,stick,sue,suit,superimpose,superpose,supplicate,take on,tap,tend,throw,tie,toil,try out,turn,turn out,undertake,urge,use,utilize,veil,wed,whistle for,wish 1087 - appoint,accouter,allocate,allot,appropriate to,arm,arrange,assign,assign to,authorize,choose,commission,decorate,decree,delegate,demand,deputize,designate,destinate,destine,detail,determine,devote,dictate,doom,dress,earmark,elect,equip,establish,fate,fit,fit out,fit up,fix,foredoom,furnish,gear,heel,impose,lay down,lot,make assignments,make obligatory,man,mark,mark off,mark out for,munition,name,nominate,ordain,ordinate,outfit,place in office,portion off,prepare,prescribe,require,reserve,restrict,restrict to,rig,rig out,rig up,schedule,select,set,set apart,set aside,set off,settle,staff,tab,tag,turn out,vote in 1088 - appointment,accession,allocation,allotment,anointing,anointment,apostolic orders,appropriation,arrangement,arrogation,assignation,assignment,assumption,authorization,berth,bespeaking,billet,blind date,booking,brevet,briefing,bull,calling,canonization,choice,conferment,connection,consecration,coronation,date,declaration,decree,decree-law,decreement,decretal,decretum,delegation,deputation,designation,dictum,diktat,double date,earmarking,edict,edictum,election,employment,empowerment,engagement,engagement book,fiat,gig,hiring,holy orders,incumbency,induction,installation,institution,interview,investiture,ipse dixit,job,law,legitimate succession,major orders,meeting,minor orders,moonlighting,naming,nomination,office,opening,ordainment,orders,ordinance,ordination,ordonnance,place,political election,position,post,posting,preengagement,preferment,presentation,proclamation,pronouncement,pronunciamento,reading in,rendezvous,rescript,reservation,retainment,rule,ruling,second job,seizure,selection,senatus consult,senatus consultum,service,setting aside,situation,slot,spot,station,succession,tabbing,tagging,taking on,taking over,tenure,transferral,tryst,ukase,usurpation,vacancy 1089 - appointments,accessories,accouterments,appanages,apparatus,appendages,appliances,appurtenances,armament,belongings,choses,choses in action,choses in possession,choses local,choses transitory,conveniences,duffel,equipage,equipment,facilities,facility,fittings,fixtures,furnishings,furniture,gear,impedimenta,installations,kit,machinery,material things,materiel,movables,munition,munitions,outfit,paraphernalia,perquisites,personal effects,plant,plumbing,rig,rigging,stock-in-trade,tackle,things,trappings,utensils 1090 - apportion,accord,align,allocate,allot,array,assign,award,be partners in,bestow,carve,carve up,collocate,compose,cooperate,count,cut,cut up,deal,deal out,decrease,dish out,dispense,dispose,distribute,district,divide,divide into shares,divide up,divide with,divvy,divvy up,divvy up with,dole out,fix,give,go even stephen,go fifty-fifty,go halvers,go halves,go shares,grant,halve,increase,line,line up,lot,marshal,measure,mete out,number,parcel,parcel out,part,partition,place,portion,portion out,present,prorate,quantify,quantize,quota,rally,range,rate,ration,reduce,regiment,section,segment,separate,serve,set out,share,share in,share out,share with,shift,slice,slice the pie,slice up,space,split,split the difference,split up,subdivide,zone 1091 - apposite,a propos,ad rem,adapted,admissible,appertaining,applicable,applying,appropriate,apropos,apt,becoming,befitting,belonging,dovetailing,felicitous,fit,fitted,fitting,geared,germane,happy,in point,involving,just right,likely,material,meshing,on the button,opportune,pat,pertaining,pertinent,qualified,relevant,right,seasonable,sortable,suitable,suited,suiting,tailored,timely,to the point,to the purpose 1092 - appraisal,analyzing,appraisement,appraising,appreciation,apprizal,approximation,assessing,assessment,assize,assizement,calculation,categorization,classification,computation,correction,determination,dual pricing,estimate,estimation,evaluating,evaluation,evaluative criticism,factoring,gauging,grouping,identification,instrumentation,judgment,measure,measurement,measuring,mensuration,metric system,opinion,price determination,pricing,quantification,quantization,ranking,rating,reckoning,sifting,sifting out,sorting,sorting out,stock,survey,surveying,telemetering,telemetry,triangulation,unit pricing,valuation,valuing,view,weighing,winnowing 1093 - appraise,adjudge,appreciate,assay,assess,audit,calculate,calibrate,caliper,call,catalog,categorize,check a parameter,class,classify,compute,deem,dial,divide,esteem,estimate,evaluate,examine,factor,fair-trade,fathom,figure,form an estimate,gauge,give an appreciation,graduate,group,guess,identify,inspect,judge,make an estimation,mark,measure,mensurate,mete,meter,pace,plumb,price,prize,probe,quantify,quantize,quote a price,rank,rate,reckon,scrutinize,set at,sift,size,size up,sort,sort out,sound,span,step,survey,take a reading,thrash out,triangulate,valorize,valuate,value,weigh,winnow 1094 - appreciable,apparent,appraisable,apprehensible,ascertainable,assessable,calculable,clear,cognizable,comprehensible,computable,conceivable,concrete,detectable,determinable,discernible,discoverable,distinguishable,estimable,evident,fathomable,gaugeable,graspable,knowable,manifest,material,measurable,mensurable,meterable,noticeable,numerable,observable,obvious,palpable,perceptible,plain,ponderable,prehensible,quantifiable,quantizable,real,recognizable,seizable,sensible,solid,substantial,substantive,tangible,understandable,weighable 1095 - appreciably,after a fashion,at any rate,at best,at least,at most,at the least,at the most,at the outside,at worst,comparatively,detectably,fairly,in a manner,in a way,in part,in some measure,incompletely,leastwise,measurably,merely,mildly,moderately,modestly,not comprehensively,not exhaustively,noticeably,only,part,partially,partly,perceptibly,pro tanto,purely,relatively,simply,so far,somewhat,thus far,to a degree,to some degree,tolerably,visibly 1096 - appreciate,absorb,accord respect to,accrue,accumulate,admire,adore,advance,apotheosize,appraise,apprehend,apprize,ascribe importance to,assay,assess,assimilate,balloon,bask in,be acquainted with,be appreciative of,be apprised of,be aware of,be cognizant of,be conscious of,be conversant with,be fond of,be grateful,be indebted,be informed,be obligated,be obliged,be partial to,be pleased with,be thankful,be with one,bloat,boom,breed,broaden,calculate,calibrate,caliper,call,catch,catch on,check a parameter,cherish,class,cognize,comprehend,compute,conceive,conceptualize,crescendo,defer to,deify,delight,delight in,derive pleasure from,develop,devour,dial,dig,digest,discern,divide,eat up,enjoy,entertain respect for,esteem,estimate,evaluate,exalt,fathom,favor,feast on,figure,follow,form an estimate,freak out on,gain,gain strength,gauge,get,get ahead,get high on,get hold of,get the drift,get the idea,get the picture,give an appreciation,gloat over,go up,graduate,grasp,groove on,grow,guess,have,have information about,have it taped,have knowledge of,hero-worship,hold in esteem,hold in reverence,honor,idolize,increase,indulge in,intensify,ken,know,learn,like,look up to,love,luxuriate in,make an estimation,make much of,make out,mark,master,measure,mensurate,mete,meter,mount,multiply,never forget,overflow with gratitude,pace,perceive,plumb,possess,prehend,prize,probe,proliferate,quantify,quantize,rank,rate,rate highly,read,realize,reckon,recognize,regard,rejoice in,relish,respect,revel in,revere,reverence,riot in,rise,run up,savor,savvy,see,seize,seize the meaning,sense,set store by,shoot up,size,size up,smack the lips,snowball,sound,span,spread,step,strengthen,survey,swell,swim in,take,take a reading,take in,take pleasure in,taste,thank God,think highly of,think much of,think well of,treasure,triangulate,understand,valuate,value,venerate,wallow in,wax,weigh,widen,worship,wot,wot of 1097 - appreciation,acceptance,access,accession,accretion,accrual,accruement,accumulation,acknowledgment,addition,admiration,admission,adoration,advance,aggrandizement,allowance,amplification,analyzing,apotheosis,apperception,appraisal,appraisement,appraising,appreciation of differences,appreciativeness,approbation,approval,artistic judgment,ascent,assessing,assessment,augmentation,avowal,awareness,awe,ballooning,bloating,blurb,boom,boost,breathless adoration,broadening,buildup,cognition,cognizance,commendation,comprehension,concession,confession,connoisseurship,consciousness,consideration,courtesy,crescendo,critical niceness,criticalness,declaration,deference,deification,delicacy,development,discriminating taste,discriminatingness,discrimination,discriminativeness,duty,edema,elevation,enhancement,enjoyment,enlargement,esteem,estimate,estimation,evaluating,evaluation,evaluative criticism,exaggerated respect,expansion,extension,fastidiousness,favor,feel,feeling,fine palate,finesse,flood,gain,gauging,good word,gratefulness,gratitude,great respect,greatening,growth,gush,hero worship,high regard,hike,homage,honor,honorable mention,hype,idolatry,idolization,increase,increment,inflation,insight,judiciousness,jump,knowledge,leap,making distinctions,measurement,mindfulness,mounting,multiplication,niceness of distinction,nicety,noesis,note,notice,obligation,opinion,palate,perception,plug,prestige,productiveness,profession,proliferation,promotion,puff,raise,ranking,rating,realization,reckoning,recognition,refined discrimination,refined palate,refinement,regard,respect,reverence,reverential regard,rise,salvo,selectiveness,sense,sense of obligation,sensibility,sensitivity,snowballing,spread,subtlety,surge,swelling,tact,tactfulness,taste,thankfulness,thanks,tribute,tumescence,understanding,up,upping,upsurge,upswing,uptrend,upturn,valuation,valuing,veneration,view,waxing,weighing,widening,worship 1098 - appreciative,acclamatory,accurate,acknowledging,admiring,alive to,appreciative of,apprised of,approbatory,awake to,aware of,behind the curtain,behind the scenes,beholden,cognizant of,commendatory,complimentary,conscious of,crediting,critical,delicate,differential,discriminate,discriminating,discriminative,distinctive,distinguishing,encomiastic,eulogistic,exact,fastidious,fine,flattering,grateful,hep to,in the know,in the secret,indebted to,informed of,laudatory,let into,mindful of,much obliged,nice,no stranger to,obliged,on to,panegyric,precise,privy to,refined,regardful,respectful,seized of,selective,sensible,sensible of,sensible to,sensitive,streetwise,subtle,tactful,thankful,undeceived,under obligation,wise to 1099 - apprehend,absorb,accept,anticipate,appreciate,arrest,assimilate,be acquainted with,be afraid,be apprised of,be aware of,be cognizant of,be conscious of,be conversant with,be informed,be sensible of,be with one,bode,bust,capture,catch,catch on,cognize,collar,compass,comprehend,conceive,conceptualize,cotton to,croak,detain,dig,digest,discern,divine,dread,experience,eye askance,fathom,fear,feel,follow,forebode,foreknow,forewarn,get,get hold of,get the drift,get the idea,get the picture,grab,grasp,have,have a premonition,have a presentiment,have information about,have it taped,have knowledge of,have qualms,hear,ken,know,learn,look black,lower,make an arrest,make out,master,menace,misgive,nab,net,penetrate,perceive,pick up,pinch,portend,possess,preapprehend,prehend,prevision,pull in,put under arrest,read,realize,recognize,respond,respond to stimuli,run in,savvy,see,seize,seize the meaning,sense,sit upon thorns,smell,stand aghast,take,take captive,take in,take into custody,take prisoner,taste,threaten,touch,tumble to,twig,understand,visualize,warn,wot,wot of 1100 - apprehension,IQ,Pyrrhonism,abduction,agitation,alarm,all-overs,angst,anxiety,anxiety hysteria,anxiety neurosis,anxious bench,anxious concern,anxious seat,anxiousness,apprehensiveness,arrest,arrestation,arrestment,boding,bust,caliber,cankerworm of care,capacity,capture,care,catch,catching,clairvoyance,cliff-hanging,collaring,command,comprehension,conceit,concept,conception,conceptualization,concern,concernment,coup,deductive power,detention,diffidence,disquiet,disquietude,distress,distrust,distrustfulness,disturbance,doubt,doubtfulness,dragnet,dread,dubiety,dubiousness,esemplastic power,expectant waiting,faith,fancy,fear,forcible seizure,foreboding,forebodingness,foreknowledge,grab,grabbing,grasp,grip,half-belief,hold,idea,ideation,image,imago,impression,inquietude,integrative power,intellect,intellection,intellectual grasp,intellectual object,intellectual power,intellectualism,intellectuality,intelligence,intelligence quotient,kidnapping,knowledge,leeriness,malaise,mastery,memory-trace,mental age,mental capacity,mental grasp,mental image,mental impression,mental ratio,mentality,misdoubt,misgiving,mistrust,mistrustfulness,mother wit,nab,nabbing,native wit,nervous strain,nervous tension,nervousness,netting,notion,observation,opinion,overanxiety,panic,perception,perturbation,pessimism,picking up,pickup,pinch,pins and needles,possession,power grab,power of mind,precognition,prehension,premonition,prenotion,presage,presentiment,pucker,qualm,qualmishness,question,rationality,reasoning power,recept,reflection,reliance,representation,running in,sanity,savvy,scope of mind,scruple,scrupulousness,seizure,seizure of power,self-doubt,sense,sentiment,shadow of doubt,skepticalness,skepticism,snatch,snatching,solicitude,stew,strain,supposition,suspense,suspicion,suspiciousness,taking in,taking into custody,tension,theory,thinking power,thought,total skepticism,trouble,trust,uncertainty,understanding,unease,uneasiness,unquietness,upset,vexation,waiting,wariness,wisdom,wit,worry,zeal 1101 - apprehensive,afraid,agitated,alive,all nerves,all-knowing,all-overish,anxious,anxioused up,apperceptive,appercipient,apprehending,awake,aware,bothered,cognizant,comprehending,concerned,conscious,disquieted,disturbed,edgy,excitable,fearful,foreboding,frightened,high-strung,in a pucker,in a stew,in suspense,insightful,intelligent,irritable,keyed-up,knowing,knowledgeable,mindful,misgiving,nerves on edge,nervous,nervy,omniscient,on edge,on tenterhooks,on tiptoe,overanxious,overapprehensive,overstrung,panicky,perceptive,percipient,perspicacious,perturbed,prehensile,qualmish,qualmy,quivering,sagacious,sensible,sentient,shrewd,solicitous,strained,suspenseful,taut,tense,troubled,understanding,uneasy,ware,wise,with bated breath,with muscles tense,witting,zealous 1102 - apprentice,abecedarian,alphabetarian,amateur,ancestors,apprenticed,architect,article,articled,articled clerk,artificer,artisan,artist,author,baby,begetter,beginner,bind,bind over,boot,bound over,break,break in,breed,bring up,builder,catechumen,colt,conceiver,condition,constructor,contract,craftsman,craftswoman,creator,cultivate,deb,debutant,designer,develop,deviser,discipline,discoverer,drill,effector,engenderer,engineer,entrant,executor,executrix,exercise,father,fetch up,fit,fledgling,form,foster,founder,freshman,generator,greenhorn,greeny,groom,grower,handicraftsman,house-train,housebreak,ignoramus,improve,inaugurator,indenture,indentured,inductee,industrialist,infant,initiate,initiator,instigator,institutor,introducer,inventor,journeyman,learner,lick into shape,maker,manufacturer,master,master carpenter,master craftsman,mechanic,mother,neophyte,nestling,new boy,newcomer,novice,novitiate,nurse,nurture,organizer,originator,past master,planner,postulant,practice,precursor,prentice,prepare,prime mover,probationer,probationist,producer,put in tune,put to school,raise,raiser,raw recruit,ready,realizer,rear,recruit,rehearse,rookie,send to school,shaper,sire,smith,starter,take in hand,technician,tenderfoot,train,trainee,tyro,wright 1103 - apprenticeship,basic training,binding over,breaking,breeding,conditioning,cultivation,development,discipline,drill,drilling,exercise,fetching-up,fostering,grooming,housebreaking,improvement,in-service training,indenture,manual training,military training,nurture,nurturing,on-the-job training,practice,preparation,raising,readying,rearing,rehearsal,sloyd,training,upbringing,vocational education,vocational training 1104 - apprise,acquaint,advertise,advertise of,advise,announce,brief,bring word,clue,communicate,declare,disclose,discover,divulge,enlighten,familiarize,fill in,give notice,give the facts,give word,inform,instruct,leave word,let know,mention to,notify,post,proclaim,publish,report,reveal,send word,serve notice,speak,tell,verse,warn 1105 - apprised of,alive to,appreciative of,awake to,aware of,behind the curtain,behind the scenes,cognizant of,conscious of,hep to,in the know,in the secret,informed of,let into,mindful of,no stranger to,on to,privy to,seized of,sensible of,sensible to,streetwise,undeceived,wise to 1106 - approach,MO,access,accomplish,accomplishment,accordance,accost,achieve,achievement,act on,address,adit,advance,advances,advent,advise,agreement,air lock,algorithm,alikeness,alliance,analogy,answer,anticipate,ape,aping,apostrophize,appeal to,appear,appear like,appearance,apply to,approaches,appropinquate,approximate,approximation,arise,arrangement,arrival,arrive,arrive at,arrive in,asking price,assay,assimilation,asymptote,attack,attain,attain to,attainment,attempt,attitude,await,be around,be destined,be fated,be imminent,be in store,be like,be near,be received,be redolent of,be to be,be to come,bear down on,bear down upon,bear resemblance,bear up,bear upon,beg,begin to,beseech,bespeak,bid,blind landing,blow in,blueprint,blueprinting,bob up,bottleneck,break the ice,brew,bribe,bring to mind,buttonhole,buy,buy off,calculation,call,call to,call to mind,call up,center,centralize,chance,charting,check in,clock in,close,close in,close up,close with,closeness,collision course,come,come along,come close,come closer,come forth,come forward,come in,come into being,come into existence,come near,come on,come to,come to hand,come together,come up,coming,coming in,communicate with,community,comparability,compare with,comparison,concenter,concentralization,concentralize,concentrate,concentration,conception,concourse,concurrence,confer,confines,confluence,conflux,conformity,confront,congress,consult,contact,contrivance,converge,convergence,converging,copy,copying,correspond,correspond to,correspondence,corridor,corrupt,counsel,counterfeit,course,court,crack,crop up,crossing,cultivate,design,device,disposition,draw,draw near,draw nigh,draw on,effort,encounter,endeavor,engage,enterprise,entrance,entranceway,entreat,entry,entryway,environs,envisagement,equal,essay,establish connection,evoke,exert influence,expect,experiment,face,fall in with,fashion,favor,feeler,fetch,fetch up at,figuring,find,fix,fling,focalization,focus,follow,foreground,foresee,foresight,foretell,forethought,form,forthcome,forthcoming,funnel,futurity,gain,gain upon,gambit,game,gangplank,gangway,gather,get at,get cozy with,get in,get there,get to,get warm,go,graphing,grease,grease the palm,greet,ground plan,guidelines,guise,hail,hall,halloo,hang over,hit,hit town,hope,hover,hub,idea,identity,imitate,imitation,immediacy,immediate foreground,immediate future,imminence,impend,impendence,impendency,implore,importune,in,ingress,inlet,intake,intention,interrogate,intersect,invitation,invoke,landing,layout,lead on,lick,lie ahead,lie over,lift a finger,likeness,likening,line,line of action,lines,lineup,lobby,lobby through,long-range plan,look for,look forward to,look like,loom,lower,magnetize,maintain connection,make,make a pass,make advances,make an attempt,make an effort,make an overture,make contact with,make it,make overtures,make up to,manner,manner of working,mapping,master plan,match,materialize,means,means of access,meet,meeting,memorialize,menace,metaphor,method,methodology,mimic,mimicking,mirror,mode,mode of operation,mode of procedure,modus operandi,move,movement,mutual approach,narrow the gap,narrowing gap,near,near future,nearly reproduce,nearness,negotiate,neighborhood,nigh,nighness,nip,not tell apart,offer,offering,opening,operations research,order,organization,overhang,overture,overtures,parallel,parallelism,parity,parley,partake of,passage,passageway,path,pay addresses to,pay court to,pay off,pinch,plan,planning,planning function,play up to,plead,plot,pop up,practice,prearrangement,precinct,predict,preliminary approach,present itself,presentation,procedure,proceeding,process,proffer,program,program of action,project,prophesy,propinquity,proposals,propose to,proposition,propositions,proximate,proximity,pull in,pull strings,punch in,purchase,purlieus,question,radius,raise,rationalization,reach,reaching,relate to,remind one of,reply to,resemblance,resemble,respond to,ring in,rival,roll in,routine,run after,run together,salute,sameness,savor of,schedule,schema,schematism,schematization,scheme,scheme of arrangement,seem like,semblance,setup,shine up to,shot,show up,sidle up to,sign in,similarity,simile,similitude,simulate,simulation,smack of,solicit,sound like,sound out,speak,speak fair,speak to,spokes,spring up,stab,stack up,stack up with,step,step up,strategic plan,strategy,stroke,strong bid,style,submission,suborn,suggest,supplicate,system,systematization,tack,tactical plan,tactics,take after,take aside,take care of,talk to,tamper with,tangent,taper,technique,tentative,tentative approach,the big picture,the drill,the how,the picture,the way of,threaten,throw a pass,tickle the palm,time in,tone,touch,touchdown,trench,trial,trial and error,try,turn up,undertake,undertaking,unite,venture,venture on,venture upon,verge,vestibule,vicinage,vicinity,way,way in,whack,wire-pull,wise,work on,working plan 1107 - approachable,accessible,attainable,available,bribable,buyable,candid,come-at-able,communicative,conversable,corrupt,corruptible,demonstrative,effusive,expansive,extroverted,findable,fixable,frank,free,free-speaking,free-spoken,free-tongued,getatable,gettable,gossipy,newsy,obtainable,on the pad,on the take,open,open to,outgoing,outspoken,penetrable,pervious,procurable,purchasable,reachable,securable,self-revealing,self-revelatory,sociable,talkative,to be had,unconstrained,unhampered,unrepressed,unreserved,unrestrained,unrestricted,unreticent,unsecretive,unshrinking,unsilent,unsuppressed,venal,within reach 1108 - approaching,about to be,advancing,already in sight,approximate,approximating,approximative,arm-in-arm,arriving,asymptotic,at hand,attracted to,brewing,burning,centripetal,centrolineal,cheek-by-jowl,close,close at hand,coming,concurrent,confluent,confocal,connivent,converging,desired,destinal,destined,determined,drawn to,emergent,entering,eventual,extrapolated,fatal,fated,fatidic,focal,forthcoming,future,futuristic,gathering,going to happen,hand-in-hand,hereafter,homeward,homeward-bound,hoped-for,hot,immediate,imminent,impendent,impending,in danger imminent,in prospect,in reserve,in store,in the cards,in the offing,in the wind,in view,inbound,incoming,instant,intimate,inward-bound,later,looming,lowering,lurking,meeting,menacing,mutually approaching,near,near at hand,near the mark,nearing,nearish,nigh,nighish,on the horizon,oncoming,overhanging,planned,plotted,predicted,preparing,probable,projected,prophesied,propinque,prospective,proximal,proximate,radial,radiating,side-by-side,tangent,tangential,that will be,threatening,to come,to-be,ultimate,uniting,upcoming,vicinal,waiting,warm 1109 - approbation,John Hancock,OK,acceptance,accord,account,acquiescence,adherence,admiration,adoration,affirmance,affirmation,affirmative,affirmative voice,agreement,apotheosis,appreciation,approval,assent,authentication,authorization,awe,aye,benediction,blessing,breathless adoration,certification,commendation,compliance,confirmation,connivance,consent,consideration,countenance,countersignature,courtesy,credit,deference,deification,duty,eagerness,endorsement,esteem,estimation,exaggerated respect,favor,favorable vote,go-ahead,goodwill,great respect,green light,hero worship,high regard,homage,honor,idolatry,idolization,imprimatur,liking,nod,notarization,okay,permission,pleasure,prestige,promptitude,promptness,ratification,readiness,regard,respect,reverence,reverential regard,rubber stamp,sanction,satisfaction,seal,seal of approval,sigil,signature,signet,stamp,stamp of approval,submission,subscription,the nod,ungrudgingness,unloathness,unreluctance,validation,veneration,visa,vise,voice,vote,warrant,willingness,worship,worth,yea,yea vote 1110 - appropriate,a propos,absorb,abstract,acceptable,according to Hoyle,accroach,ad rem,adapted,admissible,adopt,advantageous,advisable,agreeable,allocate,allot,and,annex,appertaining,applicable,applying,appoint,apportion,apposite,appropriate,appropriate to,apropos,apt,arrogate,assign,assign to,assimilate,assume,auspicious,bag,banausic,becoming,befitting,belonging,beneficial,boost,borrow,characteristic,civil,claim,colonize,comely,commandeer,commodious,condign,confiscate,congruous,conquer,conscript,convenient,cop,copy,correct,crib,decent,decorous,defraud,derive from,deserved,desirable,desired,despoil,destine,detail,devote,digest,distinctive,distinguished,dovetailing,draft,due,earmark,eligible,embezzle,employable,encroach,enjoyable,enslave,entitled,exact,expedient,expropriate,extort,fair,fate,favorable,feasible,felicitous,filch,fit,fitted,fitten,fitting,forage,fortunate,fructuous,functional,geared,genteel,germane,good,good for,grab,grasp,happy,helpful,hog,hook,idiocratic,idiosyncratic,imitate,impound,in character,in point,indent,infringe,infringe a copyright,inspired,intrinsic,invade,involving,jump a claim,just,just right,kosher,lay hold of,lift,likely,lot,lucky,make assignments,make free with,make off with,make use of,mark off,mark out for,marked,material,meet,merited,meshing,metabolize,mock,monopolize,nice,nick,nip,normal,normative,occupy,of general utility,of help,of service,of use,on the button,opportune,ordain,overrun,palm,pat,peculiar,pertaining,pertinent,pilfer,pinch,pirate,plagiarize,play God,pleasant,poach,politic,portion off,practical,pragmatical,predigest,preempt,preoccupy,prepossess,press,pretend to,profitable,proper,propitious,providential,purloin,qualified,quintessential,raid,recommendable,relevant,requisite,requisition,reserve,restrict,restrict to,right,right and proper,righteous,rightful,ripe,run away with,rustle,schedule,scrounge,seasonable,seemly,seize,sequester,serviceable,set,set apart,set aside,set off,shoplift,simulate,single,singular,sit on,snare,snatch,snitch,sortable,spoil,squat on,steal,subjugate,suitable,suited,suiting,swindle,swipe,tag,tailored,take,take all of,take it all,take on,take over,take possession of,take up,thieve,timely,to be desired,to the point,to the purpose,trespass,true to form,unique,urbane,useful,usurp,utilitarian,walk off with,well-chosen,well-expressed,well-put,well-timed,wise,worthwhile,worthy,wrench 1111 - appropriateness,account,advantage,aid,allotment,allowance,applicability,appositeness,appropriation,aptness,assistance,expediency,fitness,grant,grant-in-aid,help,meetness,order,propriety,relevance,rightness,service,serviceability,stipend,subsidy,subvention,suitability,suitableness,use,usefulness,utility 1112 - appropriation,abstraction,adoption,allocation,allotment,annexation,appointment,arrogation,assignment,assumption,autoplagiarism,boosting,borrowed plumes,borrowing,colonization,conquest,conversion,conveyance,copying,cribbing,derivation,deriving,earmarking,embezzlement,encroachment,enslavement,filching,fraud,graft,imitation,indent,infringement,infringement of copyright,invasion,liberation,lifting,literary piracy,mocking,occupation,pasticcio,pastiche,pilferage,pilfering,pinching,piracy,pirating,plagiarism,plagiarizing,plagiary,playing God,poaching,preemption,preoccupation,prepossession,requisition,scrounging,seizure,setting aside,shoplifting,simulation,snatching,sneak thievery,snitching,stealage,stealing,subjugation,swindle,swiping,tagging,takeover,taking,taking over,theft,thievery,thieving,trespass,trespassing,usurpation 1113 - approval,John Hancock,OK,acceptance,accord,account,acquiescence,admiration,adoration,affirmance,affirmation,affirmative,affirmative voice,agreement,apotheosis,applause,appreciation,approbation,assent,authentication,authorization,awe,aye,blessing,breathless adoration,certification,commendation,compliance,compliment,concurrence,confirmation,connivance,consent,consideration,countersignature,courtesy,credit,deference,deification,duty,eagerness,eclat,endorsement,esteem,estimation,exaggerated respect,favor,go-ahead,great respect,green light,hero worship,high regard,homage,honor,idolatry,idolization,imprimatur,leave,mandate,nod,notarization,okay,permission,prestige,promptitude,promptness,ratification,readiness,regard,respect,reverence,reverential regard,rubber stamp,sanction,seal,sigil,signature,signet,stamp,stamp of approval,submission,subscription,suffrage,the nod,ungrudgingness,unloathness,unreluctance,validation,veneration,visa,vise,warrant,willingness,worship,worth 1114 - approve,OK,accede to,accept,accord to,accredit,admire,adopt,affiliate,affirm,agree to,allow,amen,applaud,approve of,argue,assent,assent to,attest,authenticate,authorize,autograph,back up,be partial to,be willing,bear,bespeak,betoken,bless,breathe,carry,certify,clear,commend,compliment,condescend,condone,confirm,connive at,connote,consent,consent to silently,cosign,countenance,countersign,deign,demonstrate,denote,display,embrace,endorse,endure,espouse,esteem,evidence,evince,exhibit,express,favor,furnish evidence,give consent,give indication of,give permission,give the go-ahead,give the imprimatur,give thumbs up,go along with,go for,go in for,go to show,grant,have no objection,have regard for,hold with,illustrate,imply,indicate,initial,involve,keep in countenance,like,manifest,mark,nod,nod assent,not refuse,notarize,okay,pass,pass on,pass upon,permit,point to,put up with,ratify,recommend,respect,rubber stamp,rubber-stamp,sanction,say amen to,say aye,say yes,seal,second,set forth,show,show signs of,sign,sign and seal,signalize,signify,speak for itself,speak volumes,stand by,subscribe to,suggest,support,sustain,swear and affirm,swear to,symptomatize,take kindly to,take up,tell,tend to show,think well of,tolerate,undersign,underwrite,uphold,validate,view with favor,visa,vise,vote affirmatively,vote aye,warrant,wink at,yield assent 1115 - approved,Christian,accepted,acclaimed,acknowledged,admired,admitted,adopted,advocated,affirmed,allowed,applauded,appointed,authentic,authenticated,authoritative,avowed,backed,being done,canonical,carried,cathedral,certified,chosen,comme il faut,conceded,confessed,confirmed,conformable,conventional,correct,countersigned,cried up,customary,de rigueur,decent,decorous,designated,elect,elected,elected by acclamation,embraced,endorsed,espoused,evangelical,ex cathedra,faithful,favored,favorite,firm,formal,granted,handpicked,highly touted,in good odor,literal,magisterial,meet,named,nominated,notarized,of the faith,official,orthodox,orthodoxical,passed,picked,popular,professed,proper,ratified,received,recognized,recommended,right,scriptural,sealed,seemly,select,selected,signed,sound,stamped,standard,supported,sworn and affirmed,sworn to,textual,traditional,traditionalistic,true,true-blue,unanimously elected,underwritten,validated,warranted,well-thought-of 1116 - approximate,accost,advance,advancing,ape,appear like,approach,approaching,appropinquate,approximating,approximative,arm-in-arm,assimilate,attracted to,be around,be like,be near,be redolent of,bear down on,bear down upon,bear resemblance,bear up,begin to,bring near,bring to mind,burning,call,call to mind,call up,cheek-by-jowl,close,close in,close with,come,come close,come closer,come forward,come near,come on,come up,coming,comparable,compare with,confront,connaturalize,copy,correspond,counterfeit,draw near,draw nigh,drawn to,encounter,estimated,evoke,favor,follow,forthcoming,gain upon,get warm,hand-in-hand,homologous,hot,imitate,imminent,imprecise,inaccurate,incorrect,inexact,intimate,judge,lax,like,look like,loose,match,mimic,mirror,much at one,much the same,narrow the gap,near,near the mark,nearing,nearish,nearly reproduce,nearly the same,negligent,nigh,nighish,not tell apart,oncoming,out of line,out of plumb,out of square,out of true,parallel,partake of,place,propinque,proximal,proximate,put,quasi,reckon,relatable,relative,remind one of,resemble,rough,rude,same but different,savor of,seem like,side-by-side,sidle up to,similar,similarize,simulate,smack of,sound like,stack up with,step up,suggest,take after,to come,unfactual,unprecise,unrigorous,upcoming,verge on,vicinal,warm 1117 - approximately,about,all but,all in all,almost,almost entirely,approaching,approximatively,around,by and large,chiefly,circa,close to,effectually,essentially,for practical purposes,generally,generally speaking,in round numbers,in the main,mainly,more or less,most,mostly,much,nearabout,nearly,nigh,on balance,on the whole,plus ou moins,practically,roughly,roughly speaking,roundly,say,some,substantially,virtually,well-nigh 1118 - approximation,access,accession,accord,accordance,addition,adjunct,advance,advent,affairs,affiliation,affinity,afflux,affluxion,agreement,alikeness,alliance,allowance,analogy,aping,appraisal,appraisement,approach,approaching,appropinquation,appulse,assemblage,assessment,assimilation,assize,assizement,association,bond,calculation,closeness,combination,coming,coming near,coming toward,community,comparability,comparison,computation,confines,conformity,connectedness,connection,contiguity,contrariety,convergence,copying,correction,correspondence,dealings,deduction,determination,deviation,differentiation,disjunction,division,environs,equation,estimate,estimation,evaluation,evolution,extrapolation,filiation,flowing toward,foreground,forthcoming,gauging,homology,identity,imitation,immediacy,immediate foreground,imminence,imprecision,inaccuracy,inaccurateness,incorrectness,inexactitude,inexactness,instrumentation,integration,intercourse,interpolation,intimacy,inversion,involution,junction,laxity,liaison,likeness,likening,link,linkage,linking,looseness,measure,measurement,measuring,mensuration,metaphor,metric system,mimicking,multiplication,mutual attraction,nearing,nearness,negligence,neighborhood,nighness,notation,oncoming,parallelism,parity,practice,precinct,predictable error,probable error,propinquity,proportion,proximation,proximity,purlieus,quantification,quantization,rapport,rating,reduction,relatedness,relation,relations,relationship,resemblance,sameness,semblance,similarity,simile,similitude,simulation,standard deviation,subtraction,survey,surveying,sympathy,telemetering,telemetry,tie,tie-in,tolerance,transformation,triangulation,uncorrectness,unfactualness,union,unpreciseness,unrigorousness,valuation,vicinage,vicinity 1119 - appurtenance,accession,accessory,accident,accidental,accommodation,accompaniment,addenda,addendum,additament,addition,additive,additory,additum,adjunct,adjuvant,advantage,amenity,annex,annexation,appanage,appendage,appendant,appendix,appliance,appointment,appurtenant,aspect,attachment,augment,augmentation,authority,auxiliary,birthright,circumstance,claim,coda,collateral,complement,component,concomitant,conjugal right,constituent,contents,contingency,contingent,continuation,convenience,corollary,demand,detail,divine right,droit,due,element,equipment,extension,extra,extrapolation,facility,factor,faculty,feature,fixings,fixture,furnishings,furniture,happenstance,inalienable right,incidental,increase,increment,inessential,ingredient,integrant,interest,item,makings,mere chance,natural right,nonessential,not-self,offshoot,other,part,part and parcel,pendant,power,prerogative,prescription,presumptive right,pretense,pretension,proper claim,property right,reinforcement,right,secondary,side effect,side issue,specialty,subsidiary,superaddition,supplement,tailpiece,title,undergirding,unessential,vested interest,vested right 1120 - appurtenances,accessories,accouterments,appanages,apparatus,appendages,appliances,appointments,armament,belongings,choses,choses in action,choses in possession,choses local,choses transitory,conveniences,duffel,equipage,equipment,facilities,facility,fittings,fixtures,furnishings,furniture,gear,impedimenta,installations,kit,machinery,material things,materiel,movables,munition,munitions,outfit,paraphernalia,perquisites,personal effects,plant,plumbing,rig,rigging,stock-in-trade,tackle,things,trappings,utensils 1121 - apron,L,R,acting area,airstrip,apron stage,backstage,band shell,bandstand,bib,board,bridge,clearway,coulisse,dock,dressing room,fairway,flies,flight deck,fly floor,fly gallery,forestage,greenroom,grid,gridiron,landing deck,landing strip,lightboard,orchestra,orchestra pit,performing area,pinafore,pit,proscenium,proscenium stage,runway,shell,smock,stage,stage left,stage right,strip,switchboard,the boards,tucker,wings 1122 - apropos,a propos,about,ad rem,adapted,admissible,against,anent,appertaining,applicable,applying,apposite,appropriate,apropos of,apt,as for,as regards,as respects,as to,becoming,befitting,belonging,by the by,by the way,concerning,dovetailing,en passant,felicitous,fit,fitted,fitting,for example,geared,germane,happy,in passing,in point,in re,in reference to,in respect to,incidentally,involving,just right,likely,material,meet,meshing,on the button,opportune,par exemple,parenthetically,pat,pertaining,pertinent,proper,qualified,re,regarding,relevant,respecting,right,seasonable,sortable,speaking of,suitable,suited,suiting,tailored,to the point,to the purpose,touching,toward,with respect to 1123 - apse,Easter sepulcher,ambry,arcade,arcature,arch,arched roof,archway,baptistery,blindstory,camber,ceilinged roof,chancel,choir,cloisters,concameration,concha,confessional,confessionary,cove,crypt,cupola,diaconicon,diaconicum,dome,geodesic dome,igloo,keystone,nave,ogive,porch,presbytery,rood loft,rood stair,rood tower,sacrarium,sacristy,skewback,span,transept,triforium,vault,vaulting,vestry,voussoir 1124 - apt to,answerable for,calculated to,capable of,dependent on,disposed to,exposed to,given to,in danger of,incident to,inclined to,liable to,likely to,minded to,naked to,obliged to,open to,predisposed to,prone to,ready for,ready to,responsible for,standing to,subject to,susceptive to,within range of 1125 - apt,Daedalian,a propos,ad rem,adapted,adept,adroit,alert,applicable,apposite,appropriate,apropos,artistic,authoritative,becoming,befitting,bent,brainy,bravura,bright,brilliant,clean,clever,comely,compelling,convincing,coordinated,correct,crack,crackerjack,cunning,cute,daedal,decisive,deft,dexterous,dextrous,diplomatic,disposed,dispositioned,docile,dovetailing,educable,exact,excellent,expeditious,expert,facile,fair,fancy,felicitous,fit,fitted,fitting,foreseeable,formable,geared,gifted,given,good,goodish,graceful,handy,happy,hopeful,immediate,impressionable,in the cards,in the mood,inclined,ingenious,inspired,instant,instantaneous,instructable,intelligent,just,just right,keen,keen-witted,liable,likely,magisterial,malleable,masterful,masterly,meet,meshing,minded,moldable,motivated,neat,nice,nimble,nimble-witted,no dumbbell,no mean,not born yesterday,odds-on,on the button,opportune,pat,pertinent,plastic,pliable,politic,precise,predictable,predictable within limits,predisposed,presumable,presumptive,probable,professional,proficient,promising,prompt,prone,proper,punctual,qualified,quick,quick-thinking,quick-witted,quite some,ready,receptive,relevant,resourceful,right,ripe for instruction,schoolable,scintillating,seasonable,seemly,sharp,sharp-witted,skillful,slick,smart,some,sortable,speedy,statesmanlike,statistically probable,steel-trap,stylish,suitable,suited,suiting,summary,susceptible,swift,tactful,tailored,talented,teachable,telling,the compleat,the complete,thirsty for knowledge,to the point,to the purpose,trainable,verisimilar,virtuoso,well-chosen,well-done,well-expressed,well-put,willing,workmanlike 1126 - aptitude test,Bernreuter personality inventory,Binet-Simon test,Brown personality inventory,Goldstein-Sheerer test,IQ,IQ test,Kent mental test,Minnesota preschool scale,Oseretsky test,Rorschach test,Stanford revision,Stanford-Binet test,Szondi test,TAT,Wechsler-Bellevue intelligence scale,achievement test,alpha test,apperception test,association test,beta test,controlled association test,free association test,inkblot test,intelligence quotient,intelligence test,interest inventory,mental test,personality test,psychological test,standardized test,thematic apperception test,word association test 1127 - aptitude,a thing for,ability,acuity,acuteness,admissibility,adroitness,affinity,an ear for,an eye for,animus,applicability,appositeness,appropriateness,aptness,bent,bias,braininess,brightness,brilliance,capability,capacity,capacity for,cast,chance,character,clear thinking,cleverness,conatus,conduciveness,constitution,contingency,delight,dexterity,diathesis,disposition,docility,eagerness,eccentricity,educability,esprit,eventuality,expectation,facility,faculty,fair expectation,favorable prospect,feeling for,felicity,fitness,fittedness,flair,genius,genius for,gift,gift for,giftedness,gifts,good chance,grain,idiosyncrasy,impressionability,inclination,individualism,innate aptitude,intellect,intelligence,keen-wittedness,keenness,kidney,leaning,liability,liableness,likelihood,likeliness,liking,make,makeup,malleability,mental alertness,mental set,mercurial mind,mettle,mind,mind-set,mold,moldability,motivation,native cleverness,nature,nimble mind,nimble-wittedness,nimbleness,nous,obligation,odds,outlook,penchant,plasticity,pliability,possibility,predilection,predisposition,preference,prejudice,presumption,presumptive evidence,probabilism,probability,proclivity,proneness,propensity,propriety,prospect,qualification,quick parts,quick thinking,quick wit,quick-wittedness,quickness,readiness,ready wit,reasonable ground,reasonable hope,receptivity,relevance,savvy,sensitivity to,set,sharp-wittedness,sharpness,slant,smartness,smarts,soft spot,sprightly wit,stamp,strain,streak,stripe,suitability,suitableness,susceptibility,talent,teachability,teachableness,temper,temperament,tendency,trainableness,tropism,turn,turn for,turn of mind,twist,type,verisimilitude,warp,weakness,well-grounded hope,willingness 1128 - aptness,appositeness,appropriateness,bent,bump,expediency,faculty,fitness,flair,genius,head,helpfulness,knack,meetness,order,propitiousness,propriety,rightness,suitability,suitableness,talent,turn 1129 - Aqua Lung,air cylinder,aquascope,artificial respiration,aspiration,asthmatic wheeze,bathyscaphe,bathysphere,benthoscope,breath,breath of air,breathing,broken wind,cough,diving bell,diving boat,diving chamber,diving goggles,diving helmet,diving hood,diving mask,diving suit,exhalation,expiration,exsufflation,gasp,gulp,hack,hiccup,inhalation,inhalator,inspiration,insufflation,iron lung,mouth-to-mouth resuscitation,oxygen mask,oxygen tent,pant,periscope,puff,respiration,scuba,sigh,sneeze,sniff,sniffle,snore,snoring,snorkel,snuff,snuffle,sternutation,stertor,submarine,suspiration,swim fins,wet suit,wheeze,wind 1130 - aquarium,Festschrift,ana,anthology,body,chrestomathy,collectanea,collection,compilation,corpus,data,fishpond,florilegium,fund,holdings,library,menagerie,museum,raw data,terrarium,treasure,vivarium,zoo 1131 - aquatic,aqueous,balneal,deep-sea,estuarine,grallatorial,hydrated,hydraulic,hydrous,liquid,littoral,natant,natatorial,natatory,plashy,seashore,shore,sloppy,splashy,swashy,swimming,tidal,water-dwelling,water-growing,water-living,water-loving,waterish,watery 1132 - aquatint,autolithograph,block,block print,cerography,chalcography,chromolithograph,color print,copperplate,copperplate print,crayon engraving,cribbling,cut,drypoint,engravement,engraving,etching,graphotype,impress,impression,imprint,intaglio,linoleum-block print,lithograph,metal cut,mezzotint,negative,photoengraving,plate engraving,print,pyrogravure,relief method,rubber-block print,steel engraving,vignette,wood engraving,woodblock,woodburning,woodcut,woodprint,xylograph,zincography 1133 - aqueduct,arroyo,bed,canal,canalization,channel,conduit,course,creek bed,crimp,culvert,cut,dike,ditch,donga,dry bed,duct,entrenchment,flume,fosse,goffer,gulch,gully,gullyhole,gutter,ha-ha,headrace,irrigation ditch,kennel,moat,nullah,pleat,race,river bed,riverway,runnel,sluice,spillbox,spillway,stream bed,streamway,sunk fence,swash,swash channel,tailrace,trench,trough,wadi,water carrier,water channel,water furrow,water gap,water gate,watercourse,waterway,waterworks 1134 - aquiculture,algology,bathymetry,botany,bryology,dendrology,fungology,hydrography,hydroponics,marine biology,mycology,oceanography,paleobotany,phycology,physiological botany,phytobiology,phytochemistry,phytoecology,phytogeography,phytography,phytology,phytomorphology,phytonomy,phytopaleontology,phytopathology,phytotaxonomy,phytoteratology,phytotomy,phytotopography,plant anatomy,plant pathology,plant physiology,pomology,structural botany,systematic botany,thalassography 1135 - aquiline,Roman-nosed,altricial,anserine,anserous,aquiline-nosed,avian,avicular,beak-nosed,beak-shaped,beaked,bill-like,bill-shaped,billed,birdlike,birdy,clawlike,columbine,crookbilled,crooked,crooknosed,dovelike,down-curving,goosy,hamate,hamiform,hamulate,hawklike,hooked,hooklike,nesting,nidicolous,nidificant,oscine,parrot-nosed,passerine,psittacine,rasorial,rhamphoid,rostrate,rostriform,unciform,uncinate,unguiform 1136 - Arab,Bedouin,Bohemian,Romany,Zigeuner,beach bum,beachcomber,beggar,bo,bum,bummer,dogie,gamin,gamine,guttersnipe,gypsy,hobo,homeless waif,idler,landloper,lazzarone,loafer,losel,mudlark,nomad,piker,ragamuffin,ragman,ragpicker,rounder,ski bum,stiff,stray,street Arab,street urchin,sundowner,surf bum,swagman,swagsman,tatterdemalion,tennis bum,tramp,turnpiker,tzigane,urchin,vag,vagabond,vagrant,waif,waifs and strays,wastrel,zingaro 1137 - arabesque,acciaccatura,appoggiatura,baroque,baroqueness,basketry,basketwork,cadence,cadenza,cancellation,chinoiserie,coloratura,cross-hatching,crossing-out,division,elaborateness,elegance,embellishment,fanciness,filigree,fineness,fioritura,flamboyance,flight,floridity,floridness,flourish,floweriness,fret,fretwork,grace,grace note,grate,grating,grid,gridiron,grille,grillwork,hachure,hatching,incidental,incidental note,interlacement,intertexture,intertwinement,lace,lacery,lacework,lacing,lattice,latticework,long mordent,luxuriance,luxuriousness,mesh,meshes,meshwork,mordent,moresque,net,netting,network,ornament,ostentation,overelaborateness,overelegance,overornamentation,passage,plexure,plexus,pralltriller,raddle,reticle,reticulation,reticule,reticulum,richness,riddle,rococo,roulade,run,screen,screening,sieve,single mordent,texture,tissue,tracery,trellis,trelliswork,turn,wattle,weave,weaving,web,webbing,webwork,weft,wicker,wickerwork 1138 - arbiter,JP,Justice,amateur,arbiter elegantiarum,arbiter of taste,arbitrator,authority,bencher,bon vivant,cognoscente,collector,connaisseur,connoisseur,critic,dilettante,epicure,epicurean,expert,good judge,gourmand,gourmet,his honor,his lordship,his worship,impartial arbitrator,indicator,judge,justice,magistrate,maven,moderator,referee,refined palate,third party,umpire,unbiased observer,virtuoso 1139 - arbitrary,absolute,absolutist,absolutistic,aristocratic,arrogant,autarchic,authoritarian,authoritative,autocratic,autonomous,bossy,capricious,careless,chance,chancy,cranky,crotchety,despotic,dictatorial,discretional,discretionary,dogmatic,domineering,doubtful,elective,erratic,fanciful,fantasied,fantastic,feudal,flaky,freakish,free,free will,gratuitous,grinding,harebrained,heedless,high-handed,humorsome,iffy,imperative,imperial,imperious,impetuous,inadvertent,inconsiderate,inconsistent,independent,indiscreet,irrational,kinky,kooky,lordly,maggoty,magisterial,magistral,masterful,monocratic,moody,motiveless,nonmandatory,notional,offered,oppressive,optional,oracular,overbearing,overruling,peremptory,petulant,precipitate,proffered,quirky,random,rash,reasonless,repressive,screwball,self-acting,self-active,self-determined,self-determining,severe,spontaneous,strict,subjective,summary,suppressive,temperamental,thoughtless,tyrannical,tyrannous,unasked,unbesought,unbidden,uncalculating,uncalled-for,uncertain,uncoerced,uncompelled,uncompromising,unconstrained,undisciplined,unforced,unguarded,uninfluenced,uninvited,unpredictable,unpressured,unprompted,unreasonable,unreasoning,unreflecting,unrequested,unrequired,unrestrained,unruly,unsolicited,unsought,unthinking,unthoughtful,vagarious,vagrant,varying,voluntary,volunteer,wanton,wayward,whimsical,wild,willful,zany 1140 - arbitrate,act between,adjudge,adjudicate,appease,bargain,go between,hear,hold court,hold the scales,intercede,intermediate,interpose,intervene,judge,make terms,mediate,meet halfway,moderate,negotiate,officiate,placate,referee,represent,sit in judgment,soothe,step in,treat with,try,umpire 1141 - arbitrator,JP,Justice,arbiter,bencher,broker,connection,contact,critic,go-between,his honor,his lordship,his worship,impartial arbitrator,indicator,interagent,intermediary,intermediate,intermedium,internuncio,interpleader,judge,justice,magistrate,mediator,medium,middleman,moderator,negotiant,negotiator,referee,third party,umpire,unbiased observer 1142 - arbor,alcove,axis,axle,axle bar,axle shaft,axle spindle,axle-tree,belvedere,bower,casino,conservatory,distaff,fulcrum,gazebo,gimbal,glasshouse,greenhouse,gudgeon,hinge,hingle,hub,kiosk,lathhouse,mandrel,nave,oarlock,pergola,pin,pintle,pivot,pole,radiant,retreat,rowlock,spindle,summerhouse,swivel,trunnion 1143 - arboreal,V-shaped,Y-shaped,arborary,arboreous,arborescent,arboresque,arborical,arboriform,biforked,bifurcate,bifurcated,branched,branching,branchlike,bushlike,bushy,citrous,coniferous,crotched,deciduous,dendriform,dendritic,dendroid,evergreen,forked,forking,forklike,furcate,hardwood,nondeciduous,piny,pronged,ramous,scrubbly,scrubby,scrublike,shrubby,shrublike,softwood,tree-shaped,treelike,tridentlike,trifurcate,trifurcated 1144 - arboretum,Japanese garden,afforestation,alpine garden,bed,bog garden,boondocks,border,botanical garden,bush,bushveld,chase,climax forest,cloud forest,dendrology,dry garden,flower bed,flower garden,forest,forest land,forest preserve,forestry,fringing forest,gallery forest,garden,garden spot,grape ranch,grapery,greenwood,hanger,herbarium,hortus siccus,index forest,jardin,jungle,jungles,kitchen garden,market garden,national forest,ornamental garden,palmetto barrens,paradise,park,park forest,pine barrens,pinetum,primeval forest,protection forest,rain forest,reforestation,rock garden,roof garden,scrub,scrubland,selection forest,shrubbery,shrubland,silviculture,sprout forest,stand of timber,state forest,sunken garden,tea garden,timber,timberland,tree veld,truck garden,vegetable garden,victory garden,vinery,vineyard,virgin forest,wildwood,wood,woodland,woods 1145 - arc,AC arc,Poulsen arc,aperiodic discharge,arc column,arc discharge,arc light,arch,bend,bow,brush discharge,catacaustic,catenary,caustic,circle,color filter,conchoid,crook,curl,curvation,curvature,curve,diacaustic,dimmer,discharge,disruptive discharge,electric discharge,electric shock,electric spark,electrodeless discharge,ellipse,festoon,floats,flood,floodlight,footlights,foots,galvanic shock,gelatin,glow discharge,hook,hyperbola,klieg light,light plot,lights,limelight,lituus,marquee,medium,oscillatory discharge,parabola,round,shock,silent discharge,sinus,spark,spark gap,spot,spotlight,tracery 1146 - arcade,access,aisle,alley,ambulatory,aperture,apse,arcature,arch,arched roof,archway,areaway,artery,atlas,avenue,breezeway,camber,caryatid,ceilinged roof,channel,cloister,colonnade,colonnette,column,communication,concameration,concha,conduit,connection,corridor,cove,covered way,cupola,defile,dome,exit,ferry,ford,gallery,geodesic dome,hall,hallway,igloo,inlet,interchange,intersection,junction,keystone,lane,loggia,ogive,opening,outlet,overpass,pass,passage,passageway,pergola,peristyle,pier,pilaster,pillar,portico,post,railroad tunnel,skewback,span,telamon,traject,trajet,tunnel,underpass,vault,vaulting,voussoir 1147 - Arcadian,Edenic,agrarian,agrestic,agricultural,arcadian,bucolic,celestial,country,farm,genuine,heavenly,homespun,ideal,idealized,inartificial,lowland,millennial,native,natural,naturelike,paradisal,pastoral,provincial,rural,rustic,unadorned,unaffected,unartificial,unassuming,undesigning,undisguising,undissembling,undissimulating,unembellished,unfeigning,unpretending,unpretentious,unspoiled,unvarnished,upland,utopian 1148 - arcane,abstract,abstruse,cabalistic,censored,classified,close,closed,concealed,cryptic,dark,deep,eerie,enigmatic,esoteric,extramundane,extraterrestrial,fey,hermetic,hidden,hush-hush,hypernormal,hyperphysical,impenetrable,inscrutable,latent,mysterious,mystic,mystical,numinous,occult,otherworldly,preterhuman,preternatural,preternormal,pretersensual,profound,psychic,recondite,restricted,secret,smothered,spiritual,stifled,superhuman,supernatural,supernormal,superphysical,supersensible,supersensual,suppressed,supramundane,supranatural,top secret,transcendental,transmundane,ulterior,unaccountable,unbreatheable,uncanny,under security,under wraps,undisclosable,undisclosed,undivulgable,undivulged,unearthly,unguessed,unhuman,unknowable,unrevealable,unrevealed,unspoken,untellable,untold,unutterable,unuttered,unwhisperable,unworldly,weird 1149 - arch,Machiavellian,Machiavellic,acute,apse,arc,arcade,arcature,arch over,arched roof,archway,artful,astute,banner,bantam,barrow,basket-handle arch,bend,bend back,bestraddle,bestride,bold,boundary stone,bow,brass,bridge,bust,cagey,cairn,camber,canny,capital,cardinal,ceilinged roof,cenotaph,central,champion,cheeky,chief,clever,clubfoot,cocky,column,concameration,concha,conspicuous,consummate,coquettish,cove,coy,crafty,cromlech,crook,cross,crowning,cunning,cup,cupola,curl,curvation,curvature,curve,cute,cyclolith,deceitful,decurve,deep,deep-laid,deflect,derisive,designing,devilish,digit,diplomatic,dog,dolmen,dome,dominant,elfish,elvish,embow,extend over,extraordinary,extreme,extremity,feline,fetlock,first,flex,flippant,focal,foolish,foot,footstone,forefoot,foremost,forepaw,foxy,fresh,full of mischief,geodesic dome,grave,gravestone,great,greatest,guileful,hang over,harefoot,head,headmost,headstone,heel,hegemonic,high-spirited,hoarstone,hoof,hook,hump,hunch,igloo,imbricate,impish,incurvate,incurve,inflect,ingenious,inscription,insidious,instep,inventive,jut,keystone,knavish,knowing,lap,lap over,leading,lie over,loop,magisterial,main,major,malapert,marker,master,mausoleum,megalith,memento,memorial,memorial arch,memorial column,memorial statue,memorial stone,menhir,mischief-loving,mischievous,mocking,monolith,monument,mound,necrology,notable,noteworthy,obelisk,obituary,ogive,overarch,overhang,overlap,overlie,override,overruling,pad,paramount,pastern,patte,paw,pawky,pedal extremity,pedes,pert,pes,pied,pillar,plaque,playful,politic,prankish,pranksome,pranky,predominant,preeminent,premier,preponderant,prevailing,primal,primary,prime,principal,prize,puckish,pug,pyramid,ranking,ready,recurve,reflect,reflex,reliquary,remembrance,resourceful,retroflex,ribbon,roguish,rostral column,round,ruling,sag,saucy,scampish,scapegrace,scheming,serpentine,shaft,sharp,shifty,shingle,shrewd,shrine,skewback,slick,slippery,sly,smooth,snaky,sneaky,sole,sophistical,sovereign,span,splayfoot,sportive,star,stealthy,stela,stellar,stone,strategic,stupa,subtile,subtle,supereminent,supple,swag,sweep,tablet,tactical,testimonial,toe,tomb,tombstone,tootsy,tope,topflight,trefoil arch,trickish,tricksy,tricky,trophy,trotter,turn,twitting,ungula,vault,vaulting,voussoir,vulpine,waggish,wary,wily,wind 1150 - archaic,Gothic,Victorian,abandoned,abjured,antediluvian,antiquated,antique,behind the times,bygone,classical,dated,deserted,discontinued,disused,done with,fossil,fossilized,grown old,medieval,mid-Victorian,not worth saving,obsolescent,obsolete,of other times,old,old-fashioned,old-timey,old-world,on the shelf,out,out of use,out-of-date,outdated,outmoded,outworn,passe,past use,pensioned off,petrified,relinquished,renounced,resigned,retired,superannuate,superannuated,superseded,undeveloped,worn-out 1151 - archaism,Pre-Raphaelitism,ancient manuscript,antiquarianism,antique,antiquity,archaeology,archaicism,artifact,cave painting,classicism,eolith,fossil,medievalism,mezzolith,microlith,neolith,obsolete,obsoletism,paleolith,petrification,petrified forest,petrified wood,petroglyph,plateaulith,relic,reliquiae,remains,ruin,ruins,survival,vestige 1152 - archangel,angel,angel of light,angel of love,angelology,angels,archangels,beatified soul,canonized mortal,celestial,cherub,cherubim,dominations,dominions,heavenly being,martyr,messenger of God,patron saint,powers,principalities,principality,recording angel,saint,saved soul,seraph,seraphim,soul in glory,thrones,virtues 1153 - archbishop,Grand Penitentiary,Holy Father,abuna,antipope,archdeacon,archpriest,bishop,bishop coadjutor,canon,cardinal,cardinal bishop,cardinal deacon,cardinal priest,chaplain,coadjutor,curate,dean,diocesan,ecclesiarch,exarch,hierarch,high priest,metropolitan,papa,patriarch,penitentiary,pontiff,pope,prebendary,prelate,primate,rector,rural dean,subdean,suffragan,vicar 1154 - archbishopric,Kreis,abbacy,aedileship,archdeaconry,archdiocese,archiepiscopacy,archiepiscopate,aristocracy,arrondissement,bailiwick,bishopdom,bishopric,borough,canonicate,canonry,canton,cardinalship,chairmanship,chancellery,chancellorate,chancellorship,chaplaincy,chaplainship,chiefery,chiefry,chieftaincy,chieftainry,chieftainship,city,commune,conference,congressional district,constablewick,consulate,consulship,county,curacy,deaconry,deaconship,deanery,deanship,departement,dictatorship,dictature,diocese,directorship,district,duchy,electoral district,electorate,emirate,episcopacy,episcopate,government,governorship,hamlet,headship,hegemony,hierarchy,hundred,leadership,lordship,magistracy,magistrateship,magistrature,masterdom,mastership,mastery,mayoralty,mayorship,metropolis,metropolitan area,metropolitanate,metropolitanship,nobility,oblast,okrug,papacy,parish,pashadom,pashalic,pastorate,pastorship,patriarchate,patriarchy,pontificality,pontificate,popedom,popehood,popeship,prebend,prebendaryship,precinct,prefectship,prefecture,prelacy,prelateship,prelature,premiership,presbyterate,presbytery,presidency,presidentship,primacy,prime-ministership,prime-ministry,princedom,princeship,principality,proconsulate,proconsulship,protectorate,protectorship,province,provostry,provostship,rectorate,rectorship,regency,regentship,region,riding,ruling class,see,seigniory,seneschalship,seneschalsy,sheikhdom,sheriffalty,sheriffcy,sheriffdom,sheriffwick,shire,shrievalty,soke,stake,state,supervisorship,suzerainship,suzerainty,synod,territory,town,township,tribunate,vicariate,vicarship,village,vizierate,viziership,wapentake,ward 1155 - arched,arciform,arclike,arcual,bandy,bent,bowed,bowlike,concave,convex,convexed,curvilinear,embowed,excurvate,excurvated,excurved,gibbose,gibbous,humpbacked,humped,humpy,hunched,hunchy,out-bowed,oxbow,rotund,round,rounded,vaulted 1156 - archer,Nimrod,amateur athlete,artilleryman,athlete,ballplayer,baseballer,baseman,batter,battery,blocking back,bowman,cannoneer,carabineer,catcher,center,coach,competitor,crack shot,cricketer,dead shot,deadeye,defensive lineman,end,footballer,games-player,gamester,good shot,guard,gun,gunman,gunner,hunter,infielder,jock,jumper,lineman,marksman,markswoman,musketeer,offensive lineman,outfield,outfielder,player,poloist,professional athlete,pugilist,quarterback,racer,rifleman,sharpshooter,shooter,shot,skater,sniper,sport,sportsman,tackle,tailback,targetshooter,toxophilite,trapshooter,wingback,wrestler 1157 - archery,artillery,ballistics,casting,chucking,firing,flinging,gunnery,heaving,hurling,jaculation,lobbing,missilery,musketry,pitching,projection,rocketry,shooting,skeet,skeet shooting,slinging,throwing,trajection,trapshooting 1158 - archetype,Geistesgeschichte,Hegelian idea,Kantian idea,Platonic form,Platonic idea,aesthetic form,antetype,antitype,archetypal pattern,art form,beau ideal,biotype,blind impulse,build,cast,classic,classic example,collective unconscious,complex idea,configuration,conformation,criterion,cut,engram,epitome,eternal object,eternal universal,example,exemplar,fashion,father image,figuration,figure,form,formal cause,format,formation,frame,fugleman,fugler,genotype,genre,highest category,history of ideas,id,ideal,idealism,ideate,ideatum,idee-force,image,imago,imitatee,impression,impulse,inborn proclivity,innate idea,inner form,innovation,instinct,layout,lead,libido,make,makeup,masterpiece,masterwork,matrix,memory,memory trace,mirror,modality,mode,model,mold,natural instinct,natural tendency,new departure,noosphere,noumenon,original,paradigm,paragon,pattern,pattern of perfection,percept,pilot model,precedent,primitive self,prototype,quintessence,regulative first principle,representative,rule,set,shape,significant form,simple idea,stamp,standard,structure,style,subconscious urge,subsistent form,the Absolute,the Absolute Idea,the Self-determined,the realized ideal,transcendent idea,transcendent nonempirical concept,transcendent universal,traumatic trace,turn,type,type species,type specimen,unconscious memory,universal,universal concept,universal essence,unlearned capacity,unreasoning impulse,urtext,very model,vital impulse 1159 - archetypical,antitypic,archetypal,archetypic,classic,consummate,developed,exemplary,expert,finished,fully developed,masterful,masterly,mature,matured,model,perfected,polished,proficient,prototypal,prototypic,quintessential,refined,ripe,ripened 1160 - archipelago,ait,atoll,bar,cay,continental island,coral head,coral island,coral reef,holm,insularity,island,island group,islandology,isle,islet,key,oceanic island,reef,sandbank,sandbar 1161 - architect,a,actor,agent,ancestors,apprentice,artificer,artist,author,begetter,beginner,builder,civil architect,conceiver,constructor,contriver,craftsman,creator,designer,developer,deviser,discoverer,doer,effector,engenderer,engineer,enterpriser,entrepreneur,executant,executor,executrix,fabricator,father,founder,framer,generator,grower,inaugurator,industrialist,initiator,instigator,institutor,introducer,inventor,journeyman,landscape architect,landscape gardener,maker,manufacturer,master,master craftsman,medium,mother,mover,operant,operative,operator,organizer,originator,past master,patriarch,performer,perpetrator,planner,practitioner,precursor,prime mover,producer,projector,promoter,raiser,realizer,shaper,sire,smith,strategian,strategist,subject,tactician,urbanist,worker,wright 1162 - architectural,Byzantine,Corinthian,Doric,Gothic,Greek,Ionic,Moorish,Romanesque,Tuscan,anatomic,architectonic,building,constructional,edificial,formal,housing,morphological,organic,organismal,structural,substructural,superstructural,tectonic,textural 1163 - architecture,Bauhaus,Byzantine,Egyptian,English,French,German,Gothic,Greco-Roman,Greek,Greek Revival,Italian,Persian,Renaissance,Roman,Romanesque,Spanish,academic,action,anagnorisis,anatomy,angle,architectonics,argument,arrangement,assembly,atmosphere,background,baroque,build,building,casting,catastrophe,characterization,civil architecture,color,complication,composition,conformation,constitution,construct,construction,continuity,contrivance,conversion,crafting,craftsmanship,creation,cultivation,denouement,design,development,device,devising,early renaissance,edifice,elaboration,episode,erection,establishment,extraction,fable,fabric,fabrication,falling action,fashion,fashioning,forging,form,format,formation,forming,formulation,frame,framing,frozen music,functionalism,getup,gimmick,growing,handicraft,handiwork,harvesting,house,incident,international,landscape architecture,landscape gardening,line,local color,machining,make,makeup,making,manufacture,manufacturing,medieval,milling,mining,modern,mold,molding,mood,motif,movement,mythos,organic structure,organism,organization,packaged house,pattern,patterning,peripeteia,physique,pile,plan,plot,prefab,prefabrication,preparation,processing,producing,production,pyramid,raising,recognition,refining,rising action,scheme,secondary plot,setup,shape,shaping,skyscraper,slant,smelting,story,structure,structuring,subject,subplot,superstructure,switch,tectonics,texture,thematic development,theme,tissue,tone,topic,tower,twist,warp and woof,weave,web,workmanship 1164 - archives,Indian reservation,ana,armory,arsenal,athenaeum,attic,bank,basement,bay,bin,biographical material,biographical records,bird sanctuary,bonded warehouse,bookcase,box,bunker,buttery,cargo dock,cellar,chancery,chest,clippings,closet,conservatory,crate,crib,cupboard,cuttings,depository,depot,dock,drawer,dump,excerpts,exchequer,extracts,files,forest preserve,fragments,game reserve,gleanings,glory hole,godown,government archives,government papers,historical documents,historical records,hold,hutch,library,life records,locker,lumber room,lumberyard,magasin,magazine,memorabilia,monument,museum,national forest,national park,papers,paradise,parish rolls,park,preserve,presidential papers,public records,rack,record,register office,registry,repertory,repository,reservation,reserve,reservoir,rick,sanctuary,shelf,stack,stack room,state forest,stock room,storage,store,storehouse,storeroom,supply base,supply depot,tank,treasure house,treasure room,treasury,vat,vault,warehouse,wilderness preserve,wildlife preserve,wine cellar,writings 1165 - archivist,accountant,amanuensis,bookkeeper,clerk,documentalist,engraver,filing clerk,librarian,marker,notary,notary public,prothonotary,record clerk,recorder,recordist,register,registrar,scorekeeper,scorer,scribe,scrivener,secretary,stenographer,stonecutter,timekeeper 1166 - archway,French door,apse,arcade,arcature,arch,arched roof,back door,barway,bulkhead,camber,carriage entrance,ceilinged roof,cellar door,cellarway,concameration,concha,cove,cupola,dome,door,doorjamb,doorpost,doorway,front door,gate,gatepost,gateway,geodesic dome,hatch,hatchway,igloo,keystone,lintel,ogive,porch,portal,porte cochere,postern,propylaeum,pylon,scuttle,side door,skewback,span,stile,storm door,threshold,tollgate,trap,trap door,turnpike,turnstile,vault,vaulting,voussoir 1167 - arctic,Siberian,aestival,affectless,algid,anesthetized,antarctic,austral,autistic,autumn,autumnal,below zero,biting,bitter,bitterly cold,bleak,blunt,boreal,brisk,brumal,canicular,catatonic,chill,chilly,cold,cold as charity,cold as death,cold as ice,cold as marble,cold-blooded,coldhearted,cool,crisp,cutting,dispassionate,drugged,dull,east,eastbound,easterly,eastermost,eastern,easternmost,emotionally dead,emotionless,equinoctial,freezing,freezing cold,frigid,frosted,frosty,frozen,gelid,glacial,heartless,hibernal,hiemal,hyperborean,ice-cold,ice-encrusted,icelike,icy,immovable,impassible,impassive,inclement,inexcitable,insusceptible,keen,meridional,midsummer,midwinter,nipping,nippy,nonemotional,north,northbound,northeast,northeasterly,northeastern,northerly,northern,northernmost,northwest,northwesterly,northwestern,numbing,objective,obtuse,occidental,oriental,out of season,out of touch,passionless,penetrating,piercing,pinching,raw,rigorous,seasonal,self-absorbed,severe,sharp,sleety,slushy,snappy,solstitial,soulless,south,southbound,southeast,southeasterly,southeastern,southerly,southern,southernmost,southwest,southwesterly,southwestern,spiritless,spring,springlike,stone-cold,subzero,summer,summerlike,summerly,summery,supercooled,unaffectionate,unemotional,unfeeling,unimpassioned,unimpressionable,unloving,unpassionate,unresponding,unresponsive,unsusceptible,unsympathetic,untouchable,vernal,west,westbound,westerly,western,westernmost,winter,winterbound,winterlike,wintery,wintry 1168 - ardent,abandoned,ablaze,acquiescent,afire,aflame,aflicker,aglow,agog,agreeable,alacritous,alcoholic,alight,amative,amatory,amenable,amorous,and,anxious,assiduous,athirst,avid,baking,blazing,blistering,boiling,boiling over,breathless,broiling,burning,burning hot,candent,candescent,canicular,comburent,committed,compliant,conflagrant,consenting,constant,content,cooperative,cordial,crying,dedicated,delirious,desirous,devoted,devout,diligent,disposed,docile,drunk,eager,earnest,ebullient,emphatic,energetic,enthusiastic,erotic,excited,exciting,extreme,exuberant,fain,faithful,fanatic,favorable,favorably disposed,favorably inclined,febrile,fervent,fervid,fevered,feverish,fierce,fiery,flagrant,flaming,flaring,flickering,flushed,forward,fuming,game,genial,glowing,great,grilling,guttering,hard,hard-core,hardworking,hasty,hearty,heated,hectic,hospitable,hot,hot as fire,hot as hell,hot-blooded,hotheaded,ignescent,ignited,impassioned,impatient,impetuous,importunate,impulsive,in a blaze,in a glow,in earnest,in flames,in the mind,in the mood,incandescent,inclined,indefatigable,industrious,inflamed,insistent,intense,intent,intent on,intoxicated,keen,kindled,laborious,lascivious,liege,like a furnace,like an oven,live,lively,living,loverlike,loverly,loyal,madcap,mighty,minded,never idle,on fire,overheated,overwarm,parching,passionate,perfervid,piping hot,pliant,powerful,precipitate,predisposed,prompt,prone,provoking,quick,ready,ready and willing,receptive,red-hot,reeking,relentless,resolute,responsive,roasting,scalding,scintillant,scintillating,scorching,searing,sedulous,seething,serious,sexual,simmering,sincere,sizzling,sizzling hot,sleepless,smoking,smoking hot,smoldering,sparking,spirited,spirituous,staunch,steadfast,steaming,steamy,stimulating,stirring,strenuous,strong,sudorific,sweating,sweaty,sweltering,sweltry,thirsty,tireless,toasting,torrid,totally committed,tractable,true,uncontrolled,unextinguished,unflagging,ungoverned,unquenched,unremitting,unrestrained,unsleeping,unsparing,unwearied,urgent,vehement,vigorous,vinous,warm,warmhearted,well-disposed,well-inclined,white-hot,willed,willing,willinghearted,winy,with a kick,zealous 1169 - ardor,Amor,Christian love,Eros,Platonic love,abandon,acquiescence,activity,admiration,adoration,affection,agape,agreeability,agreeableness,alacrity,allegiance,amenability,anger,animation,application,ardency,assiduity,assiduousness,attachment,avidity,bodily love,brio,briskness,brotherly love,calenture,caritas,charity,cheerful consent,commitment,committedness,compliance,concentration,concupiscence,conjugal love,consent,cooperativeness,curiosity,dedication,desideration,desire,devotedness,devotion,devoutness,diligence,docility,drive,eagerness,earnestness,ecstasy,elan,energeticalness,energy,enthusiasm,excitement,faith,faithful love,faithfulness,fancy,fantasy,favorable disposition,favorableness,fealty,fervency,fervidity,fervidness,fervor,fidelity,fieriness,fire,flame,fondness,forwardness,free love,free-lovism,furor,fury,galvanization,gameness,glow,goodwill,gusto,heart,heartiness,heat,heatedness,hero worship,hope,horme,hurrah,idolatry,idolism,idolization,impassionedness,impetuosity,impetus,indefatigability,industriousness,industry,intellectual curiosity,intensity,intentness,joie de vivre,keenness,laboriousness,lasciviousness,libido,life,like,liking,liveliness,love,lovemaking,loyalty,lust for learning,lustiness,married love,mettle,mind,need,passion,passionateness,perkiness,pertness,physical love,piety,pleasure,pleasure principle,pliability,pliancy,popular regard,popularity,promptness,quickening,readiness,receptive mood,receptiveness,receptivity,regard,relentlessness,relish,resolution,responsiveness,right mood,robustness,savor,sedulity,sedulousness,sentiment,seriousness,sex,sexual desire,sexual love,shine,sincerity,soul,spirit,spiritedness,spiritual love,stimulation,strenuousness,tender feeling,tender passion,thirst for knowledge,tirelessness,tractability,truelove,ungrudgingness,unloathness,unreluctance,unsparingness,urge,uxoriousness,vehemence,verve,vivacity,want,wanting,warmth,warmth of feeling,weakness,will,will and pleasure,willing ear,willing heart,willingness,wish,wish fulfillment,worship,yearning,zeal,zealousness,zest,zestfulness,zing 1170 - arduous,Herculean,abrupt,abstruse,backbreaking,brutal,burdensome,complex,critical,crushing,delicate,demanding,difficile,difficult,effortful,energetic,exacting,exhausting,fatiguing,forced,formidable,grueling,hairy,hard,heavy,hefty,intricate,jawbreaking,killing,knotted,knotty,labored,laborious,mean,no picnic,not easy,onerous,operose,oppressive,painful,precipitate,precipitous,punishing,rigorous,rough,rugged,set with thorns,severe,sheer,sideling,spiny,steep,stickle,strained,strenuous,taxing,thorny,ticklish,tiring,toilsome,tough,tricksy,tricky,troublesome,trying,uphill,vigorous,wearisome,wicked 1171 - area,abode,academic discipline,academic specialty,acreage,airspace,amplitude,applied science,arena,arrondissement,art,bag,bailiwick,bearings,beat,belt,bench mark,bigness,block,body,breadth,bulk,caliber,circuit,classical education,close,compass,concern,confines,continental shelf,continuum,core curriculum,corridor,country,course,course of study,court,courtyard,coverage,cup of tea,curriculum,demesne,department,department of knowledge,depth,diameter,dimension,dimensions,discipline,district,division,domain,elective,emplacement,emptiness,empty space,enclosure,environs,expanse,expansion,extension,extent,field,field of inquiry,field of study,forte,galactic space,gauge,general education,general studies,girth,greatness,ground,heartland,height,hinterland,hole,humanities,infinite space,interstellar space,land,largeness,latitude and longitude,length,liberal arts,lieu,limit,line,locale,locality,location,locus,long suit,lot,magnitude,main interest,major,manner,mass,measure,measurement,metier,milieu,minor,natural science,neighborhood,nothingness,offshore rights,ology,orb,orbit,outer space,parade,part,parts,pet subject,pinpoint,place,placement,plot,point,position,precinct,precincts,premises,proportion,proportions,proseminar,province,pure science,purlieus,pursuit,quadrivium,quarter,radius,range,reach,realm,refresher course,region,room,round,salient,scale,science,scientific education,scope,section,seminar,site,situation,situs,size,social science,soil,space,spatial extension,specialism,speciality,specialization,specialty,sphere,spot,spread,square,stead,stretch,strong point,study,style,subdiscipline,subject,superficial extension,surface,technical education,technicality,technicology,technics,technology,terrain,territory,thing,three-mile limit,tract,trivium,twelve-mile limit,type,vicinage,vicinity,vocation,void,volume,walk,way,weakness,whereabout,whereabouts,width,yard,zone 1172 - arena,academic discipline,academic specialty,ambit,amphitheater,applied science,area,art,assembly hall,auditorium,back,backdrop,background,bailiwick,beat,border,borderland,chapel,cincture,circle,circuit,circus,close,concern,concert hall,confine,container,convention hall,coop,court,courtyard,curtilage,dance hall,delimited field,demesne,department,department of knowledge,discipline,distance,domain,dominion,enclave,enclosure,exhibition hall,field,field of inquiry,field of study,fold,gallery,ground,hall,hemisphere,hinterland,judicial circuit,jurisdiction,lecture hall,list,locale,march,meetinghouse,mise-en-scene,music hall,natural science,ology,opera house,orb,orbit,pale,paling,park,pen,precinct,province,pure science,quad,quadrangle,realm,rear,ring,round,scene,science,setting,social science,specialty,sphere,square,stadium,stage,stage set,stage setting,study,technicology,technics,technology,theater,toft,walk,yard 1173 - areola,O,annular muscle,annulus,aureole,chaplet,circle,circuit,circumference,circus,closed circle,corona,coronet,crown,cycle,diadem,discus,disk,eternal return,fairy ring,garland,glory,halo,lasso,logical circle,loop,looplet,magic circle,noose,orbit,radius,ring,rondelle,round,roundel,saucer,sphincter,vicious circle,wheel,wreath 1174 - Ares,Agdistis,Amor,Aphrodite,Apollo,Apollon,Artemis,Ate,Athena,Bacchus,Bellona,Ceres,Cora,Cronus,Cupid,Cybele,Demeter,Despoina,Diana,Dionysus,Dis,Enyo,Eros,Gaea,Gaia,Ge,Great Mother,Hades,Helios,Hephaestus,Hera,Here,Hermes,Hestia,Hymen,Hyperion,Jove,Juno,Jupiter,Jupiter Fidius,Jupiter Fulgur,Jupiter Optimus Maximus,Jupiter Pluvius,Jupiter Tonans,Kore,Kronos,Magna Mater,Mars,Mercury,Minerva,Mithras,Momus,Neptune,Nike,Odin,Olympians,Olympic gods,Ops,Orcus,Persephassa,Persephone,Phoebus,Phoebus Apollo,Pluto,Poseidon,Proserpina,Proserpine,Rhea,Saturn,Tellus,Tiu,Tyr,Venus,Vesta,Vulcan,Woden,Wotan,Zeus 1175 - argosy,Naval Construction Battalion,RN,Royal Navy,Seabees,USN,United States Navy,armada,bark,boat,bottom,bottoms,bucket,coast guard,craft,division,escadrille,fleet,flotilla,hooker,hulk,hull,keel,leviathan,line,marine,merchant fleet,merchant marine,merchant navy,mosquito fleet,naval forces,naval militia,naval reserve,navy,packet,ship,shipping,ships,squadron,task force,task group,tonnage,tub,vessel,watercraft,whaling fleet 1176 - argot,Aesopian language,Babel,Greek,babble,cant,cipher,code,cryptogram,double Dutch,garble,gibberish,gift of tongues,glossolalia,gobbledygook,jargon,jumble,lingo,mumbo jumbo,noise,patois,patter,phraseology,scatology,scramble,secret language,slang,taboo language,vernacular,vocabulary,vulgar language 1177 - arguable,at issue,confutable,conjectural,contestable,controversial,controvertible,debatable,deniable,disputable,doubtable,doubtful,dubious,dubitable,iffy,in dispute,in doubt,in dubio,in question,mistakable,moot,open to doubt,open to question,problematic,questionable,refutable,speculative,suppositional,suspect,suspicious,uncertain 1178 - argue,affirm,agitate,allege,altercate,analyze,announce,annunciate,approve,argufy,assert,assever,asseverate,attest,aver,avouch,avow,balk,bandy words,be construed as,be indicative of,be significant of,be symptomatic of,bespeak,betoken,bicker,breathe,canvass,cavil,characterize,choplogic,claim,clash,conflict,connote,contend,contest,convince,cross swords,cut and thrust,debate,declare,defend,demonstrate,demur,denominate,denote,differ,differentiate,disaccord,disagree,discept,disclose,discuss,display,dispute,dissent,dissuade,entail,enunciate,establish,evidence,evince,exhibit,expostulate,express,fight,furnish evidence,give and take,give evidence,give indication of,give token,go to show,hassle,have,have it out,highlight,hint,hold,identify,illustrate,imply,import,indicate,insist,investigate,involve,issue a manifesto,jib,join issue,justify,lay down,lock horns,logomachize,maintain,manifest,manifesto,mark,mean,moot,note,object,persuade,pettifog,plead,point to,polemicize,polemize,predicate,prevail upon,proclaim,profess,pronounce,protest,prove,put,put it,quarrel,quibble,reason,refer to,remonstrate,reveal,review,row,say,scrap,set down,set forth,show,show signs of,sift,signalize,signify,spar,speak,speak for itself,speak out,speak up,speak volumes,spell,squabble,stand for,stand on,state,study,submit,suggest,symbolize,symptomatize,symptomize,take sides,talk,talk out of,tell,tend to show,testify,thrash out,try conclusions,ventilate,vindicate,warrant,witness,wrangle 1179 - argument,Kilkenny cats,action,addend,affray,altercation,anagnorisis,angle,answer,antilogarithm,apologetics,apologia,apology,architectonics,architecture,argumentation,argumentum,assertion,atmosphere,background,barney,base,basis,bicker,bickering,binomial,blood feud,brawl,broil,case,casuistry,cat-and-dog life,catastrophe,characteristic,characterization,claim,coefficient,color,combat,combination,complement,complication,conflict,congruence,cons,consideration,constant,contention,contentiousness,contest,contestation,continuity,contrivance,controversy,cosine,cotangent,counterstatement,cube,cut and thrust,debate,decimal,defence,defense,demurrer,denial,denominator,denouement,derivative,design,determinant,development,device,difference,differential,disagreement,discriminate,disputation,dispute,dissension,dividend,divisor,donnybrook,donnybrook fair,e,elenchus,embroilment,enmity,episode,equation,evidence,exception,exponent,exponential,fable,factor,falling action,falling-out,feud,fight,fighting,fliting,flyting,formula,foundation,fracas,fray,function,fuss,gimmick,ground,hassle,head,hostility,hubbub,hurrah,i,ignoratio elenchi,imbroglio,incident,increment,index,integral,line,litigation,local color,logic,logomachy,matrix,matter,minuend,mood,motif,motive,movement,multiple,multiplier,mythos,norm,numerator,objection,open quarrel,paper war,parameter,passage of arms,peripeteia,permutation,pi,plaidoyer,plan,plea,pleading,pleadings,plot,point,polemic,polemics,polynomial,position,posture,power,proof,proposition,pros,pros and cons,quarrel,quarreling,quarrelsomeness,quaternion,quotient,radical,radix,reason,rebuttal,reciprocal,recognition,refutation,remainder,reply,response,rhubarb,riposte,rising action,root,row,rumpus,scheme,scrap,scrapping,secant,secondary plot,set-to,sharp words,sine,slanging match,slant,snarl,spat,special demurrer,special pleading,squabble,squabbling,stance,standpoint,statement,statement of defense,story,strife,structure,struggle,subject,subject matter,submultiple,subplot,subtrahend,summation,summing up,switch,talking point,tangent,tensor,testimony,text,thematic development,theme,thesis,tiff,tone,topic,tussle,twist,variable,vector,vendetta,verbal engagement,versine,war,war of words,warfare,wherefore,why,whyfor,words,wrangle,wrangling 1180 - argumentative,argumental,belligerent,cat-and-dog,cat-and-doggish,combative,contentious,controversial,dialectic,disagreeable,disputatious,eristic,ill-humored,litigious,logomachic,pilpulistic,polemic,polemical,pro and con,quarrelsome,scrappy,testy 1181 - aria,air,aria buffa,aria cantabile,aria da capo,aria da chiesa,aria di bravura,aria di coloratura,aria fugata,aria parlante,arietta,arioso,bravura,cantabile,canto,cantus,coloratura,descant,ditty,hymn,lay,lied,line,measure,melodia,melodic line,melody,note,recitative,refrain,solo,solo part,song,soprano part,strain,treble,tune 1182 - arid,Saharan,academic,acarpous,anhydrous,athirst,barren,blah,blank,bloodless,bone-dry,bookish,boring,bromidic,celibate,characterless,childless,cold,colorless,dead,desert,desolate,dismal,drab,draggy,drained,drearisome,dreary,dried-up,droughty,dry,dry as dust,dryasdust,dull,dusty,earthbound,effete,elephantine,empty,etiolated,exhausted,fade,fallow,flat,fruitless,gaunt,gelded,heavy,high and dry,ho-hum,hollow,humdrum,impotent,inane,ineffectual,inexcitable,infecund,infertile,insipid,issueless,jejune,juiceless,lackluster,leached,leaden,lifeless,like parchment,literal,low-spirited,menopausal,moistureless,monotonous,mundane,nonfertile,nonproducing,nonproductive,nonprolific,pale,pallid,pedantic,pedestrian,plodding,pointless,poky,ponderous,prosaic,prosing,prosy,sandy,sapless,sere,sine prole,slow,solemn,spiritless,staid,sterile,stiff,stodgy,stolid,stuffy,sucked dry,superficial,tasteless,tedious,teemless,thirsting,thirsty,unanimated,uncultivated,undamped,unfanciful,unfertile,unfruitful,unideal,unimaginative,uninspired,uninteresting,uninventive,unlively,unoriginal,unplowed,unpoetic,unproductive,unprolific,unromantic,unromanticized,unsown,untilled,unwatered,vapid,virgin,waste,wasted,waterless,weariful,wearisome,without issue,wooden 1183 - Ariel,Befind,Corrigan,Finnbeara,Mab,Oberon,Titania,banshee,brownie,cluricaune,dwarf,elf,fairy,fairy queen,fay,gnome,goblin,gremlin,hob,imp,kobold,leprechaun,ouphe,peri,pixie,pooka,puca,pwca,sprite,sylph,sylphid 1184 - arise,accrue from,appear,approach,arise from,ascend,aspire,awake,bail out,be born,be contingent on,be due to,become,become manifest,become visible,begin,break cover,break forth,break out,bristle,bud from,burst forth,chance,climb,cock up,come,come along,come forth,come forward,come from,come in sight,come into being,come into existence,come on,come out,come out of,come to be,come to hand,come to light,come up,commence,crop out,crop up,curl upwards,debouch,depend on,derive from,descend from,disembogue,draw on,effuse,emanate,emanate from,emerge,emerge from,ensue,ensue from,enter,erupt,extrude,fade in,flow,flow from,follow,follow from,germinate from,get to be,get up,go up,greet the day,grow from,grow out of,grow up,hang on,have origin,head,heave in sight,hinge on,hit the deck,insurge,insurrect,irrupt,issue,issue forth,issue from,jump out,jump up,levitate,lift,look forth,loom,materialize,mount,mount the barricades,mutineer,mutiny,originate,originate in,outcrop,overthrow,peep out,pile out,pop up,present itself,proceed,proceed from,protrude,ramp,rear,rear its head,rear up,rebel,reluct,reluctate,revolt,revolute,revolution,revolutionize,riot,rise,rise up,roll out,run riot,sally,sally forth,see the light,show,show up,sit bolt upright,sit up,soar,spiral,spire,spring from,spring up,sprout from,stand up,start,start up,stem,stem from,stick up,stream forth,strike,strike the eye,subvert,succeed,surface,surge,swarm up,sweep up,take birth,take rise,tower,turn on,turn out,turn up,up,upgo,upgrow,upheave,uprear,uprise,upspin,upstream,upsurge,upswarm,upwind,vise,wake up 1185 - aristocracy,FFVs,absolute monarchy,aedileship,ancestry,ancienne noblesse,archbishopric,archiepiscopacy,archiepiscopate,aristocraticalness,autarchy,autocracy,autonomy,baronage,baronetage,barons,beau monde,birth,bishopric,blood,blue blood,bon ton,carriage trade,chairmanship,chancellery,chancellorate,chancellorship,chiefery,chiefry,chieftaincy,chieftainry,chieftainship,chivalry,coalition government,colonialism,commonwealth,constitutional government,constitutional monarchy,consulate,consulship,county,cream,deanery,democracy,dictatorship,dictature,directorship,distinction,dominion rule,duarchy,duumvirate,dyarchy,elect,elite,emirate,episcopacy,establishment,federal government,federation,feudal system,flower,garrison state,genteelness,gentility,gentry,gerontocracy,governorship,haut monde,headship,hegemony,heteronomy,hierarchy,hierocracy,high life,high society,home rule,honorable descent,jet set,knightage,leadership,limited monarchy,lords of creation,lordship,magistracy,magistrateship,magistrature,martial law,masterdom,mastership,mastery,mayoralty,mayorship,meritocracy,metropolitanate,metropolitanship,militarism,military government,mob rule,mobocracy,monarchy,neocolonialism,nobility,noble birth,nobleness,noblesse,noblesse de robe,ochlocracy,old nobility,oligarchy,overlapping,pantisocracy,papacy,pashadom,pashalic,patriarchate,patriarchy,patricians,patriciate,peerage,police state,pontificality,pontificate,popedom,popehood,popeship,power elite,power structure,prefectship,prefecture,premiership,presidency,presidentship,prime-ministership,prime-ministry,princedom,princeship,principality,proconsulate,proconsulship,protectorate,protectorship,provostry,provostship,pure democracy,quality,rank,rectorate,rectorship,regency,regentship,representative democracy,representative government,republic,royalty,ruling circles,ruling class,seigniory,self-determination,self-government,seneschalship,seneschalsy,sheikhdom,sheriffalty,sheriffcy,sheriffdom,shrievalty,smart set,social democracy,society,stratocracy,supervisorship,suzerainship,suzerainty,technocracy,the Four Hundred,the best,the best people,the brass,the classes,thearchy,theocracy,top people,totalitarian government,totalitarian regime,triarchy,tribunate,triumvirate,tyranny,upper class,upper classes,upper crust,upper ten,upper ten thousand,uppercut,vizierate,viziership,welfare state 1186 - aristocrat,Brahman,archduke,armiger,baron,baronet,blue blood,count,daimio,duke,earl,esquire,gentleman,grand duke,grandee,hidalgo,lace-curtain,laird,landgrave,lord,lordling,magnate,magnifico,margrave,marquis,noble,nobleman,optimate,palsgrave,patrician,peer,seigneur,seignior,silk-stocking,squire,swell,thoroughbred,upper-cruster,viscount,waldgrave 1187 - aristocratic,U,absolute,absolutist,absolutistic,arbitrary,arrogant,august,authoritarian,authoritative,autocratic,autonomous,bossy,bureaucratic,chivalrous,civic,civil,constitutional,courtly,democratic,despotic,dictatorial,dignified,domineering,ducal,elitist,exalted,fascist,federal,federalist,federalistic,feudal,genteel,gentle,gentlemanlike,gentlemanly,governmental,grand,grave,grinding,gubernatorial,heteronomous,high,high and mighty,high-handed,hubristic,imperative,imperial,imperious,imposing,kinglike,kingly,knightly,ladylike,lordly,magisterial,magistral,majestic,masterful,matriarchal,matriarchic,monarchal,monarchial,monarchic,monocratic,noble,of gentle blood,of rank,official,oligarchal,oligarchic,oppressive,overbearing,overruling,parliamentarian,parliamentary,patriarchal,patriarchic,patrician,peremptory,pluralistic,political,princelike,princely,queenlike,queenly,quite the lady,regal,repressive,republican,royal,sedate,self-governing,severe,sober,solemn,stately,statuesque,strict,suppressive,theocratic,titled,totalitarian,tyrannical,tyrannous,venerable,worthy 1188 - arithmetic,Boolean algebra,Euclidean geometry,Fourier analysis,Lagrangian function,algebra,algebraic geometry,analysis,analytic geometry,associative algebra,binary arithmetic,calculation,calculus,ciphering,circle geometry,descriptive geometry,differential calculus,division algebra,equivalent algebras,estimation,figuring,game theory,geodesy,geometry,graphic algebra,group theory,higher algebra,higher arithmetic,hyperbolic geometry,infinitesimal calculus,integral calculus,intuitional geometry,invariant subalgebra,inverse geometry,line geometry,linear algebra,mathematical physics,matrix algebra,metageometry,modular arithmetic,n-tuple linear algebra,natural geometry,nilpotent algebra,number theory,plane trigonometry,political arithmetic,projective geometry,proper subalgebra,quaternian algebra,reckoning,reducible algebra,set theory,simple algebra,solid geometry,speculative geometry,spherical trigonometry,statistics,subalgebra,systems analysis,topology,trig,trigonometry,universal algebra,universal geometry,vector algebra,zero algebra 1189 - arithmetical,algebraic,algorismic,algorithmic,aliquot,analytic,cardinal,decimal,differential,digital,even,exponential,figural,figurate,figurative,finite,fractional,geometric,imaginary,impair,impossible,infinite,integral,irrational,logarithmic,logometric,mathematical,negative,numeral,numerary,numerative,numeric,odd,ordinal,pair,positive,possible,prime,radical,rational,real,reciprocal,submultiple,surd,transcendental 1190 - ark,Agnus Dei,Holy Grail,Host,Pieta,Sanctus bell,Sangraal,asperger,asperges,aspergillum,bambino,beadroll,beads,candle,censer,chaplet,ciborium,cross,crucifix,cruet,eucharistial,holy cross,holy water,holy-water sprinkler,icon,incensory,matzo,menorah,mezuzah,mikvah,monstrance,osculatory,ostensorium,paschal candle,pax,phylacteries,prayer shawl,prayer wheel,pyx,relics,rood,rosary,sacramental,sacred relics,sacring bell,shofar,sukkah,tabernacle,tallith,thurible,urceole,veronica,vigil light,votive candle 1191 - arm in arm,affably,agreeably,amiably,amicably,approaching,approximate,approximating,ardently,arm-in-arm,burning,cheek by jowl,cheek-by-jowl,close,companionably,congenially,cordially,familiarly,favorably,friendliwise,friendly,genially,gregariously,hand in glove,hand in hand,hand-in-hand,heartily,herewith,hot,intimate,intimately,near,near the mark,nearing,nearish,nigh,nighish,pleasantly,propinque,proximal,proximate,shoulder to shoulder,side-by-side,sociably,socially,therewith,therewithal,vicinal,warm,warmly,with open arms 1192 - arm,accouter,advocate,affiliate,alpenstock,appendage,appoint,armlet,armor,armor-plate,athletic supporter,authorize,back,backbone,backing,bandeau,bank,barricade,battle,bay,bayou,bearer,beef,belt,biceps,bight,bless,block,blockade,boca,bough,bra,brace,bracer,bracket,branch,branch office,brassiere,bulwark,buttress,cane,carrier,castellate,cervix,champion,chapter,cloak,clothe,clothe with power,compass about,copyright,corset,cove,cover,creek,crenellate,crook,crutch,cushion,defend,deputize,dig in,division,dress,elbow,ell,embattle,empower,enable,endow,endue,energy,ensure,entrench,equip,estuary,euripus,extension,fence,fend,fit,fit out,fit up,fjord,force,forearm,fortify,foundation garment,frith,fulcrum,furnish,garrison,gear,girdle,guarantee,guard,gulf,gut,guy,guywire,hand,harbor,haven,heel,imp,inlet,insure,invest,jock,jockstrap,joint,keep,keep from harm,kyle,leg,limb,link,lobe,lobule,local,loch,lodge,mainstay,maintainer,make safe,man,man the garrison,mast,member,mine,mouth,munition,muscle,narrow,narrow seas,narrows,natural harbor,neck,nestle,offshoot,organ,outfit,palisade,patent,pinion,police,post,prepare,prop,protect,put in shape,ramification,reach,ready,register,reinforce,reinforcement,reinforcer,rest,resting place,ride shotgun for,rig,rig out,rig up,rigging,road,roads,roadstead,runner,safeguard,scion,screen,secure,service,shelter,shield,shoulder,shroud,sinew,slough,sound,spine,spray,sprig,sprit,spur,staff,standing rigging,stave,stay,steam,stick,stiffener,strait,straits,strength,strengthener,strong arm,support,supporter,sustainer,switch,tail,tendril,turn out,twig,underwrite,upholder,upper arm,vigor,walking stick,wall,wing,wrist 1193 - armada,Naval Construction Battalion,RN,Royal Navy,Seabees,USN,United States Navy,argosy,coast guard,division,escadrille,fleet,flotilla,marine,merchant fleet,merchant marine,merchant navy,mosquito fleet,naval forces,naval militia,naval reserve,navy,squadron,task force,task group 1194 - armadillo,Angora goat,Arctic fox,Belgian hare,Caffre cat,Indian buffalo,Kodiak bear,Virginia deer,aardvark,aardwolf,alpaca,anteater,antelope,antelope chipmunk,aoudad,apar,ass,aurochs,badger,bandicoot,bassarisk,bat,bear,beaver,bettong,binturong,bison,black bear,black buck,black cat,black fox,black sheep,blue fox,bobcat,brown bear,brush deer,brush wolf,buffalo,buffalo wolf,burro,burro deer,cachalot,camel,camelopard,capybara,carabao,caribou,carpincho,cat,cat-a-mountain,catamount,cattalo,cavy,chamois,cheetah,chevrotain,chinchilla,chipmunk,cinnamon bear,coon,coon cat,cotton mouse,cotton rat,cougar,cow,coyote,coypu,deer,deer tiger,dingo,dog,donkey,dormouse,dromedary,echidna,eland,elephant,elk,ermine,eyra,fallow deer,ferret,field mouse,fisher,fitch,flying phalanger,foumart,fox,fox squirrel,gazelle,gemsbok,genet,giraffe,glutton,gnu,gnu goat,goat,goat antelope,gopher,grizzly bear,ground squirrel,groundhog,guanaco,guinea pig,hamster,hare,harnessed antelope,hartebeest,hedgehog,hippopotamus,hog,horse,hyena,hyrax,ibex,jackal,jackass,jackrabbit,jaguar,jaguarundi,jerboa,jerboa kangaroo,kaama,kangaroo,kangaroo mouse,kangaroo rat,karakul,kinkajou,kit fox,koala,lapin,lemming,leopard,leopard cat,lion,llama,lynx,mammoth,mara,marmot,marten,mastodon,meerkat,mink,mole,mongoose,moose,mouflon,mountain goat,mountain lion,mountain sheep,mouse,mule,mule deer,muntjac,musk deer,musk hog,musk-ox,muskrat,musquash,nilgai,nutria,ocelot,okapi,onager,oont,opossum,otter,ounce,ox,pack rat,painter,panda,pangolin,panther,peccary,peludo,phalanger,pig,pine mouse,platypus,pocket gopher,pocket mouse,pocket rat,polar bear,polar fox,polecat,porcupine,possum,pouched rat,poyou,prairie dog,prairie wolf,pronghorn,puma,rabbit,raccoon,rat,red deer,red squirrel,reindeer,rhinoceros,roe,roe deer,roebuck,sable,serval,sheep,shrew,shrew mole,sika,silver fox,skunk,sloth,snowshoe rabbit,springbok,squirrel,stoat,suslik,swamp rabbit,swine,takin,tamandua,tamarin,tapir,tarpan,tatou,tatou peba,tatouay,tiger,tiger cat,timber wolf,tree shrew,urus,vole,wallaby,warthog,water buffalo,waterbuck,weasel,wharf rat,whistler,white fox,wild ass,wild boar,wild goat,wild ox,wildcat,wildebeest,wolf,wolverine,wombat,wood rat,woodchuck,woolly mammoth,yak,zebra,zebu,zoril 1195 - armament,A-weapons,accouterment,accouterments,aegis,apparatus,appliances,appointments,appurtenances,armor,arms,biological weapons,catering,chandlery,conveniences,conventional weapons,deadly weapons,duffel,endowment,equipage,equipment,facilities,facility,finding,fitting out,fittings,fixtures,furnishing,furnishings,furnishment,furniture,gear,guard,impedimenta,installations,instruments of destruction,investment,kit,logistics,machinery,materiel,missilery,munition,munitions,musketry,nuclear weapons,ordnance,outfit,outfitting,paraphernalia,plant,plumbing,preparation,procurement,protection,providing,provision,provisioning,purveyance,reinforcement,replenishment,resupply,retailing,rig,rigging,safeguard,security,selling,shield,side arms,small arms,stock-in-trade,subsidization,subsidy,subvention,supply,supplying,tackle,thermonuclear weapons,things,utensils,victualing,ward,weaponry,weapons 1196 - armed force,armed service,army,array,career soldiers,fighting machine,forces,ground forces,ground troops,host,legions,military establishment,occupation force,paratroops,rank and file,ranks,regular army,regulars,ski troops,soldiery,standing army,storm troops,the line,the military,troops 1197 - armed,accoutered,all ready,all set,armed and ready,arrayed,battled,booted and spurred,briefed,bristling with arms,carrying,catered,cloaked,coached,cocked,copyrighted,covered,defended,deployed,embattled,endowed,engaged,equipped,familiarized,fitted,fitted out,full-armed,furnished,good and ready,groomed,guarded,heavy-armed,heeled,in arms,in battle array,in readiness,in the saddle,informed,invested,invulnerable,light-armed,loaded,loaded for bear,mature,mobilized,on the mark,outfitted,patented,planned,policed,prearranged,prepared,prepared and ready,prepped,primed,protected,provided,psyched up,purveyed,ranged,ready,ready for anything,rigged,ripe,safe,safeguarded,screened,set,sheltered,shielded,supplied,sword in hand,under arms,up in arms,vigilant,well-armed,well-prepared 1198 - armistice,Pax Dei,Pax Romana,Peace of God,breathing spell,buffer zone,cease-fire,cooling-off period,demilitarized zone,hollow truce,modus vivendi,neutral territory,pacification,pax in bello,peace,stand-down,suspension of hostilities,temporary arrangement,treaty of peace,truce 1199 - armor,Philistinism,aegis,armament,armature,armor plate,bard,beaver,body armor,brassard,breastplate,buckler,bulletproof vest,callosity,callousness,callus,chain armor,chain mail,chitin,cloak,coat of mail,coif,corselet,cortex,cover,cuirass,elytron,episperm,flintiness,formidable defenses,gas mask,gauntlet,guard,habergeon,hard heart,hard shell,hardenedness,hardheartedness,hardness,hardness of heart,harness,hauberk,headpiece,heart of stone,helm,helmet,imperviousness,induration,insensitiveness,insensitivity,inuredness,jamb,lorica,lorication,mail,mantle,nasal,needles,obduracy,obdurateness,panoply,pericarp,plate,plate armor,protection,protective covering,rhinoceros hide,rondel,safeguard,screen,scute,scutum,security,shell,shelter,shield,shroud,spines,stoniness,suit of armor,test,testa,thick skin,veil,visor,ward 1200 - armored,armed cap-a-pie,armor-plated,cased,ceiled,cloaked,clouded,coated,coped,covered,covert,cowled,curtained,eclipsed,encapsulated,encapsuled,encased,enveloped,enwrapped,filmed,floored,hooded,housed,in armor,in complete steel,in harness,ironclad,loricate,loricated,mailclad,mailed,mantled,masked,muffled,obscured,occulted,packaged,panoplied,paved,roofed-in,screened,scummed,sheathed,shelled,shielded,shrouded,swathed,tented,under cover,veiled,walled,walled-in,wrapped 1201 - armory,achievement,alerion,ammo dump,animal charge,annulet,archives,argent,armorial bearings,arms,arsenal,artillery park,assembly line,assembly plant,atomic arsenal,atomic energy plant,attic,azure,badge,badge of office,badges,bandeau,bank,bar,bar sinister,basement,baton,bay,bearings,bend,bend sinister,billet,bin,bindery,blazon,blazonry,boatyard,boilery,bonded warehouse,bookbindery,bookcase,bordure,box,brassard,brewery,brickyard,broad arrow,bunker,buttery,button,cadency mark,cannery,canton,cap and gown,cargo dock,cellar,chain,chain of office,chaplet,charge,chest,chevron,chief,class ring,closet,coat of arms,cockade,cockatrice,collar,conservatory,coronet,crate,creamery,crescent,crest,crib,cross,cross moline,crown,cupboard,dairy,decoration,defense plant,depository,depot,device,difference,differencing,distillery,dock,dockyard,drawer,dress,dump,eagle,emblems,ensigns,ermine,ermines,erminites,erminois,escutcheon,exchequer,factory,factory belt,factory district,falcon,fasces,feeder plant,fess,fess point,field,figurehead,file,flanch,fleur-de-lis,flour mill,fret,fur,fusil,garland,glory hole,godown,griffin,gules,gun park,gyron,hammer and sickle,hatchment,helmet,heraldic device,heraldry,hold,honor point,hutch,impalement,impaling,industrial park,industrial zone,inescutcheon,insignia,label,lapel pin,library,lion,livery,locker,lozenge,lumber room,lumberyard,mace,magasin,magazine,main plant,mantle,mantling,manufactory,manufacturing plant,manufacturing quarter,markings,marshaling,martlet,mascle,medal,metal,mill,mint,mortarboard,motto,mullet,munitions plant,nombril point,octofoil,oil refinery,old school tie,or,ordinary,orle,packing house,pale,paly,park,pean,pheon,pin,plant,pottery,power plant,production line,purpure,push-button plant,quarter,quartering,rack,refinery,regalia,repertory,repository,reservoir,rick,ring,rose,sable,saltire,sawmill,school ring,scutcheon,shamrock,shelf,shield,shipyard,sigillography,skull and crossbones,sphragistics,spread eagle,stack,stack room,staff,stock room,storage,store,storehouse,storeroom,subassembly plant,subordinary,sugar refinery,supply base,supply depot,swastika,tank,tannery,tartan,tenne,thistle,tie,tincture,torse,treasure house,treasure room,treasury,tressure,unicorn,uniform,vair,vat,vault,verge,vert,wand,warehouse,wine cellar,winery,wreath,yale,yard,yards 1202 - arms,achievement,alerion,animal charge,annulet,argent,armorial bearings,armory,art of war,azure,bandeau,bar,bar sinister,baton,bearings,bend,bend sinister,billet,blazon,blazonry,bordure,broad arrow,cadency mark,canton,chaplet,charge,chevron,chief,chivalry,coat of arms,cockatrice,coronet,crescent,crest,cross,cross moline,crown,device,difference,differencing,eagle,ermine,ermines,erminites,erminois,escutcheon,falcon,fess,fess point,field,file,flanch,fleur-de-lis,fret,fur,fusil,garland,generalship,griffin,gules,gyron,hatchment,helmet,heraldic device,honor point,impalement,impaling,inescutcheon,knighthood,label,lion,lozenge,mantling,marshaling,martlet,mascle,metal,motto,mullet,nombril point,octofoil,or,ordinary,orle,pale,paly,pean,pheon,purpure,quarter,quartering,rose,sable,saltire,scutcheon,shield,spread eagle,subordinary,tenne,tincture,torse,tressure,unicorn,vair,vert,war,wreath,yale 1203 - army,KP,a mass of,a world of,armed force,armed service,army group,array,battalion,battery,battle group,bevy,brigade,bunch,cadre,career soldiers,cloud,cluster,clutter,cohort,cohue,colony,column,combat command,combat team,company,corps,covey,crowd,crush,deluge,detachment,detail,division,drift,drive,drove,field army,field train,fighting machine,file,flight,flock,flocks,flood,flying column,forces,galaxy,gam,gang,garrison,ground forces,ground troops,hail,heap,herd,hive,horde,host,jam,kennel,kitchen police,large amount,legion,legions,litter,lots,maniple,many,mass,masses of,military establishment,mob,muchness,multitude,nest,numbers,occupation force,organization,outfit,pack,panoply,paratroops,phalanx,platoon,plurality,pod,posse,press,pride,quantities,quite a few,rabble,rank,rank and file,ranks,regiment,regular army,regulars,rout,ruck,school,scores,section,shoal,ski troops,skulk,sloth,soldiery,spate,squad,squadron,standing army,storm troops,swarm,tactical unit,task force,the line,the military,throng,tidy sum,train,trip,troop,troops,unit,wing,worlds of 1204 - aroma,atmosphere,attribute,aura,badge,balm,balminess,bouquet,brand,breath,cachet,cast,character,characteristic,configuration,cut,definite odor,detectable odor,differentia,differential,distinctive feature,earmark,effluvium,emanation,essence,exhalation,feature,fetor,figure,flavor,fragrance,fragrancy,fruitiness,fume,gust,hallmark,hint,idiocrasy,idiosyncrasy,impress,impression,incense,index,individualism,keynote,lineaments,mannerism,mark,marking,mephitis,mold,muskiness,nature,nosegay,odor,particularity,peculiarity,perfume,property,quality,quirk,redolence,reek,savor,scent,seal,shape,singularity,smack,smell,specialty,spice,spiciness,spoor,stamp,stench,stink,subtle odor,suggestion,sweet savor,sweet smell,taint,tang,taste,token,trace,trail,trait,trick,whiff 1205 - aromatic,ambrosial,balmy,effluvious,essenced,flowery,fragrant,fruity,incense-breathing,malodorous,musky,odorant,odorate,odored,odoriferous,odorous,perfumed,perfumy,pungent,redolent,savory,scented,smellful,smelling,smellsome,smelly,spicy,sweet,sweet-scented,sweet-smelling,thuriferous 1206 - around,about,again,alive,all about,all over,all round,all through,almost,along toward,anticlockwise,any which way,anyhow,anywise,approximately,at close quarters,at hand,at random,back,backward,by,by way of,circa,clockwise,close,close about,close at hand,close by,close upon,counterclockwise,encircling,enclosing,encompassing,enveloping,every which way,everywhence,everywhere,everywhither,existent,existing,far and wide,fast by,from every quarter,haphazard,haphazardly,hard,hard by,head over heels,heels over head,helter-skelter,here and there,hereabout,hereabouts,in a circle,in a spin,in a whirl,in all directions,in circles,in every quarter,in reverse,in spitting distance,in the neighborhood,in the vicinity,just about,living,near,near at hand,near enough to,near upon,nearabout,nearabouts,nearby,nearly,nigh,nigh about,not far,on all sides,on every side,only a step,over,passing by,passing through,random,randomly,roughly,round,round about,round and round,somewhere about,surrounding,thereabout,thereabouts,through,throughout,upwards of,via,widdershins,within call,within earshot,within hearing,within reach 1207 - arousal,a high,aggravation,agitation,animation,arousing,awakening,bringing out,calling forth,drawing out,eduction,electrification,emotion,evocation,exacerbation,exasperation,excitation,excitedness,excitement,exhilaration,firing,fomentation,galvanization,incitation,incitement,inflammation,infuriation,instigation,irritation,lathering up,manic state,pep rally,pep talk,perturbation,provocation,rabble-rousing,reveille,rousing,rude awakening,steaming up,stimulation,stimulus,stirring,stirring up,stirring-up,whipping up,working up 1208 - arouse,aggravate,agitate,alarm,alert,anger,animate,annoy,awake,awaken,bestir,blow the coals,blow up,bring forth,bring out,bring to light,bristle,call forth,call out,call up,chafe,challenge,cry havoc,cry wolf,deduce,derive,drag out,draw forth,draw out,dynamize,educe,electrify,elicit,embitter,encourage,energize,enkindle,enliven,enrage,evoke,exasperate,excite,exhilarate,fan,fan the fire,fan the flame,feed the fire,ferment,fire,flame,fly storm warnings,foment,foster,frenzy,fret,frighten,galvanize,get from,get out of,hearten,heat,heat up,huff,impassion,incense,incite,induce,inflame,infuriate,instigate,invigorate,irritate,jazz up,key up,kindle,knock up,lather up,light the fuse,light up,liven,madden,miff,move,nettle,obtain,overexcite,peeve,pep up,perk up,pique,procure,provoke,put up to,quicken,raise,raise up,rally,rankle,revive,rile,roil,rouse,ruffle,secure,set astir,set fire to,set on,set on fire,set up,shake up,sic on,snap up,sound the alarm,sound the tocsin,spark,startle,steam up,stimulate,stir,stir the blood,stir the embers,stir the feelings,stir up,summon forth,summon up,thrill,tickle,turn on,vex,vitalize,wake,wake up,waken,wangle,wangle out of,warm,warm the blood,warn,whet,whip up,winkle out,work into,work up,worm out,worm out of,zip up 1209 - aroused,agog,alarmed,alerted,aquiver,atingle,atwitter,bursting,carried away,ebullient,effervescent,excited,exhilarated,fired,frightened,high,hopped up,impassioned,inflamed,keyed up,lathered up,manic,moved,ready to burst,roused,startled,steamed up,stimulated,stirred,stirred up,thrilled,tingling,tingly,turned-on,whipped up,worked up,wrought up,yeasty 1210 - arousing,aggravation,agitation,animation,aphrodisiac,aphroditous,arousal,educible,eductive,electrification,elicitory,eradicative,eroticizing,evocative,exacerbation,exacting,exactive,exasperation,excitation,excitement,exhilaration,extortionary,extortionate,extortive,extractive,fomentation,galvanization,incitement,inflammation,infuriation,irritation,lathering up,perturbation,provocation,steaming up,stimulating,stimulation,stimulus,stirring,stirring up,uprooting,venereal,whipping up,working up 1211 - arraign,accuse,allege,anathematize,anathemize,animadvert on,article,blame,book,bring accusation,bring charges,bring to book,call to account,cast blame upon,cast reflection upon,censure,charge,cite,complain,complain against,condemn,criminate,cry down,cry out against,cry out on,cry shame upon,damn,decry,denounce,denunciate,fasten on,fasten upon,file a claim,finger,fulminate against,hang something on,have up,impeach,imply,impugn,impute,incriminate,inculpate,indict,inform against,inform on,insinuate,inveigh against,lay charges,lodge a complaint,lodge a plaint,pin on,prefer charges,press charges,pull up,put on report,reflect upon,report,reprehend,reproach,reprobate,shake up,summon,take to task,task,taunt with,tax,test,try,twit 1212 - arraignment,accusal,accusation,accusing,allegation,allegement,anathema,bail,bill of particulars,blame,bringing of charges,bringing to book,castigation,censure,charge,complaint,condemnation,count,damnation,decrial,delation,denouncement,denunciation,excoriation,flaying,fulmination,fustigation,impeachment,implication,imputation,indictment,information,innuendo,insinuation,lawsuit,laying of charges,pillorying,plaint,presentment,prosecution,reprehension,reproach,reprobation,skinning alive,stricture,suit,taxing,true bill,unspoken accusation,veiled accusation 1213 - arrange,accommodate,adapt,adjust,align,alphabetize,analyze,array,assort,blend,blueprint,break down,bring about,bring to terms,calculate,cast,catalog,categorize,chart,choreograph,class,classify,clear for action,clear the decks,close,close with,codify,compose,concert,conclude,contrive,cool off,cure,cut out,decide,deploy,design,determine,devise,digest,dispose,divide,dope out,dress,figure,file,fix,fix up,forecast,form,frame,get ready,grade,group,harmonize,hierarchize,index,instrument,instrumentate,integrate,intend,lay out,lay plans,line up,list,make a projection,make an adaptation,make arrangements,make peace,make preparations,make ready,make up,manipulate,map out,marshal,melodize,methodize,mobilize,musicalize,normalize,orchestrate,order,organize,pacify,pigeonhole,place,plan,plan ahead,position,prearrange,predetermine,prep,prepare,pretreat,process,program,project,provide,put in order,put in shape,put to music,put to rights,quiet,range,rank,rate,rationalize,ready,ready up,reduce to order,regularize,regulate,right,routinize,schedule,schematize,scheme,score,set,set in order,set out,set to music,set to rights,set up,settle,settle preliminaries,settle with,shape,sort,sort out,standardize,straighten out,structure,subdivide,symphonize,synthesize,systematize,tabulate,tan,tranquilize,transcribe,transpose,treat,trim,try out,type,unify,unsnarl,whip into shape,work out,work up,write 1214 - arranged,agreed,aligned,arrayed,assorted,blueprinted,businesslike,calculated,categorized,charted,classified,compacted,composed,constituted,contracted,contrived,covenanted,designed,devised,disposed,engaged,figured,fixed,formal,graded,grouped,habitual,harmonious,harmonized,in hand,in the works,marshaled,methodical,methodized,normal,normalized,on the agenda,on the anvil,on the calendar,on the carpet,on the docket,on the tapis,ordered,orderly,organized,placed,planned,plotted,projected,promised,ranged,ranked,rationalized,regular,regularized,regulated,routine,routinized,scheduled,schematized,sealed,set,settled,shaped,signed,sorted,standardized,steady,stipulated,strategetic,strategic,sur le tapis,symmetrical,synchronized,systematic,systematized,tactical,undertaken,uniform,usual,well-ordered,well-regulated,worked out 1215 - arrangement,Nachtmusik,abatement of differences,absolute music,accommodation,accord,adaptation,adjunct,adjustment,adornment,affair,agreement,air varie,aleatory,aleatory music,alignment,analysis,anatomy,appointment,approach,architectonics,architecture,arrangement,arrangements,array,atmosphere,attack,balance,bargain,basic training,binding agreement,blind date,blueprint,blueprinting,bond,briefing,brushwork,build,building,calculation,canon form,cartel,cataloging,categorization,chamber music,chamber orchestra,charting,classification,clearing the decks,closing,codification,collective agreement,color,color patterns,combination,compact,composition,composition of differences,compromise,conception,concession,conclusion,concord,conformation,consortium,constitution,construction,contract,contract by deed,contract of record,contract quasi,contrivance,convention,cop-out,copy,covenant,covenant of indemnity,covenant of salt,creation,date,deal,debenture,debenture bond,decor,decoration,deed,deed of trust,deed poll,deployment,descant,desertion of principle,design,device,dicker,display,disposal,disposition,distribution,division,double date,draft,draftsmanship,edition,elaboration,electronic music,embellishment,emblazonment,emblazonry,embroidery,employment contract,engagement,engagement book,enterprise,envisagement,equipment,etude,evasion of responsibility,exercise,fabric,fabrication,familiarization,fashion,fashioning,figuring,filing,fixing,flourish,flower arrangement,foresight,forethought,forging,form,formal agreement,formal contract,format,formation,foundation,frame,fugue form,furniture arrangement,game,garnish,garnishment,garniture,getup,give-and-take,giving way,grading,graphing,ground plan,groundwork,group policy,grouping,guidelines,harmonization,harmony,hymnal,hymnbook,idea,illumination,implied contract,incidental music,indent,indenture,indexing,instrumental music,instrumental score,instrumentation,insurance policy,intention,interpretation,interview,intonation,invention,ironclad agreement,layout,legal agreement,legal contract,libretto,lied form,line,lineup,long-range plan,lute tablature,make,makeready,makeup,making,making ready,manufacture,mapping,marshaling,master plan,method,methodology,mobilization,model,modulation,mold,molding,mortgage deed,music,music paper,music roll,musical notation,musical score,mutual agreement,mutual concession,nocturne,notation,opera,opera score,operations research,opus,orchestral score,orchestration,order,ordering,organic structure,organism,organization,ornament,ornamentation,pact,paction,painterliness,parol contract,part,pattern,patterning,peace,perspective,phrasing,physique,piano score,piece,pigeonholing,placement,plan,planning,planning function,plans,policy,prearrangement,preliminaries,preliminary,preliminary act,preliminary step,prep,preparation,preparing,prepping,prerequisite,pretreatment,primary form,procedure,processing,production,program,program music,program of action,promise,promissory note,propaedeutic,proportion,protocol,provision,quiet,quietude,ranging,ranking,rating,rationalization,readying,recognizance,regularity,resolution,ricercar,rondo form,routine,schedule,schema,schematism,schematization,scheme,scheme of arrangement,score,sealing,sequence,set-up,setting,settlement,setup,shading,shadow,shape,shaping,sheet music,short score,signature,signing,solemnization,solution,sonata,sonata allegro,sonata form,sonatina,songbook,songster,sorting,spadework,special contract,specialty,specialty contract,stipulation,strategic plan,strategy,stratification,string orchestra,string quartet,structure,structuring,study,subdivision,surrender,suspension,symmetry,symphonic form,system,systematization,tablature,tabulation,tactical plan,tactics,taxonomy,technique,tectonics,terms,text,texture,the big picture,the picture,theme and variations,tissue,title deed,toccata form,tone,tone painting,training,tranquillity,transaction,transcript,transcription,treatment,trial,trim,trimming,trio,tryout,typology,understanding,uniformity,union contract,valid contract,values,variation,version,vocal score,wage contract,warm-up,warp and woof,way,weave,web,window dressing,work,working plan,written music,yielding 1216 - arrant,abject,abominable,absolute,atrocious,awful,bad,barefaced,base,beastly,beggarly,beneath contempt,black,blamable,blameworthy,blatant,bold,brassy,brazen,brazenfaced,brutal,cheesy,classical,complete,conspicuous,consummate,contemptible,crass,criminal,crummy,damnable,dark,debased,decided,definitive,degraded,deplorable,depraved,despicable,detestable,dire,dirty,disgraceful,disgusting,downright,dreadful,egregious,enormous,evil,execrable,fetid,filthy,flagitious,flagrant,flat-out,foul,fulsome,glaring,grave,grievous,gross,hanging out,hateful,heinous,horrible,horrid,improper,impudent,in relief,in the foreground,infamous,infernal,iniquitous,intolerable,knavish,lamentable,little,loathsome,lousy,low,low-down,lumpen,mangy,mean,measly,miserable,monstrous,nasty,naughty,nefarious,noisome,notable,noticeable,notorious,obnoxious,obtrusive,odious,offensive,ostensible,out-and-out,outrageous,outright,outstanding,overbold,paltry,peccant,perfect,petty,pitiable,pitiful,plain,poky,poor,positive,precious,profound,prominent,pronounced,proper,pure,rank,regrettable,regular,reprehensible,reprobate,reptilian,repulsive,rotten,sad,salient,scabby,scandalous,schlock,scrubby,scruffy,scummy,scurvy,shabby,shameful,shattering,sheer,shocking,shoddy,sinful,small,sordid,squalid,staring,stark,stark-staring,sticking out,striking,superlative,surpassing,terrible,the veriest,thorough,thoroughgoing,too bad,total,unabashed,unbearable,unblushing,unclean,unconscionable,undeniable,unequivocal,unforgivable,unmentionable,unmitigated,unpardonable,unqualified,unrelieved,unspeakable,unspoiled,unworthy,utter,vicious,vile,villainous,wicked,woeful,worst,worthless,wretched,wrong 1217 - array,Indian file,adduce,adorn,advance,align,allege,allocate,allocation,allot,allotment,apparel,apportion,apportionment,armed force,armed service,army,arrange,arrangement,arranging,arraying,articulation,attire,bank,batch,beautify,bedeck,bedizen,bedizenment,bedrape,blazon,body,bring forward,bring on,bring to bear,bunch,bundle,bundle up,buzz,career soldiers,catena,catenation,chain,chain reaction,chaining,clad,clothe,clothes,clothing,clump,cluster,clutch,collation,collocate,collocation,color,compose,concatenation,concord,connection,consecution,constitution,continuum,cool off,costume,course,cycle,dandify,deal,deal out,deck,deck out,decorate,deploy,deployment,descent,dight,disposal,dispose,disposition,distribute,distribution,dizen,doll up,drape,drapery,dress,dress up,dressing,drone,dud,duds,embellish,emblazon,embroider,enclothe,endless belt,endless round,endue,enrich,enrobe,enshroud,envelop,enwrap,exhibition,exposing,fanfare,fashion,fatigues,feathers,fig,fig out,fighting machine,file,filiation,fix,fix up,forces,form,formation,formulation,furbish,gamut,garb,garment,garments,garnish,gear,grace,gradation,grade,ground forces,ground troops,guise,gussy up,habiliment,habilitate,habit,harmonize,harmony,hierarchize,host,hum,invest,investiture,investment,lap,lay out,layout,legions,line,line up,lineage,linen,lineup,lot,marshal,marshaling,methodize,military establishment,monotone,muffle up,nexus,normalize,occupation force,offer,order,ordering,organization,organize,ornament,pacify,paint,panoply,parade,paratroops,parcel out,peace,pendulum,periodicity,place,placement,plead,plenum,pomp,powder train,prank,prank up,preen,present,prettify,primp,primp up,prink,prink up,produce,progression,proportion,queue,quiet,quietude,rag out,rags,raiment,rally,range,rank,rank and file,ranks,recurrence,redecorate,redo,refurbish,regiment,regimentation,regular army,regularity,regularize,regulars,regulate,reticulation,robe,robes,rotation,round,routine,routinize,row,run,scale,sequence,series,set,set off,set out,set up,setup,sheathe,shine,show,showing,shroud,single file,ski troops,smarten,smarten up,soldiery,space,spectrum,sportswear,spruce up,standardize,standing army,storm troops,string,string out,structure,structuring,style,succession,swaddle,swath,swathe,symmetry,syntax,system,systematize,the line,the military,thread,threads,tier,tire,titivate,togs,toilette,train,tranquilize,tranquillity,trick out,trick up,trim,troops,uniformity,vestment,vesture,wear,wearing apparel,windrow,wrap,wrap up 1218 - arrayed,aligned,appareled,armed,arranged,assorted,attired,battled,bedecked,breeched,capped,categorized,chausse,clad,classified,cloaked,clothed,coifed,composed,constituted,costumed,decked,deployed,dight,disguised,disposed,dressed,embattled,endued,engaged,fixed,garbed,garmented,gowned,graded,grouped,habilimented,habited,harmonized,hooded,in battle array,invested,liveried,mantled,marshaled,methodized,normalized,ordered,orderly,organized,pantalooned,placed,raimented,ranged,ranked,regularized,regulated,rigged out,robed,routinized,shod,shoed,sorted,standardized,synchronized,systematized,tired,togged,tricked out,trousered,vested,vestmented 1219 - arrearage,arrear,arrears,back debts,back payments,bouncing check,break,debt,decline,defalcation,default,defect,defectiveness,deferred payments,deficiency,deficit,deficit financing,delinquency,discontinuity,dollar gap,due,failure,falling short,gap,hiatus,imperfection,inadequacy,indebtedness,inferiority,insufficiency,interval,lack,lacuna,liability,missing link,need,obligation,omission,outage,overdraft,short measure,shortage,shortcoming,shortfall,slump,ullage,underage,want,wantage 1220 - arrears,arrear,arrearage,back debts,back payments,bouncing check,decline,defalcation,default,defectiveness,deferred payments,deficit,deficit financing,delinquency,dollar gap,due,failure,falling short,imperfection,inadequacy,indebtedness,inferiority,insufficiency,liability,overdraft,short measure,shortage,shortcoming,shortfall,slump,underage 1221 - arrest,Jacksonian epilepsy,Rolandic epilepsy,abdominal epilepsy,abduction,absorb,absorb the attention,access,acquired epilepsy,activated epilepsy,affect epilepsy,akinetic epilepsy,apoplexy,apprehend,apprehension,arrest,arrestation,arrested,arrestment,attach,attack,autonomic epilepsy,backpedal,backwater,balk,bearing rein,bell,bit,block,blockage,blocking,bottle up,brake,bridle,bring to,bring up short,bust,capture,cardiac epilepsy,catch,catching,cessation,chain,charm,check,checkmate,checkrein,chock,choke,clip the wings,clog,clogging,clonic spasm,clonus,closing up,closure,collar,collaring,compare,confine,constrain,constraint,constriction,contain,control,convulsion,cool,cool off,cooling,cooling down,cooling off,cortical epilepsy,countercheck,coup,cramp,curb,curb bit,cursive epilepsy,curtail,curtailment,cut short,cutoff,dam,dam up,damp,damper,dead stop,deadlock,decelerate,deceleration,delay,detain,detainment,detention,diurnal epilepsy,dompt,doorstop,drag,drag sail,dragnet,draw rein,drift anchor,drift sail,drogue,ease off,ease up,ease-off,ease-up,eclampsia,enchant,end,endgame,ending,engage,engage the attention,engage the mind,engage the thoughts,engross,engross the mind,engross the thoughts,enjoin,enthrall,epilepsia,epilepsia gravior,epilepsia major,epilepsia minor,epilepsia mitior,epilepsia nutans,epilepsia tarda,epilepsy,exercise,falling sickness,fascinate,fetter,final whistle,fit,fixation,flagging,focal epilepsy,foot-dragging,forcible seizure,forestall,freeze,frenzy,frustrate,full stop,govern,grab,grabbing,grand mal,grinding halt,grip,guard,gun,halt,hamper,hampering,haute mal,hinder,hindering,hindrance,hold,hold at bay,hold back,hold fast,hold in,hold in check,hold in leash,hold spellbound,hold the interest,hold up,holdback,holdup,hypnotize,hysterical epilepsy,ictus,immerse,immure,impede,impediment,imprison,imprisoned,in custody,incarcerate,inhibit,inhibition,injunction,intercept,interdict,interfere,interference,intermeddle,interpose,interrupt,interruption,intervene,involve,involve the interest,jail,keep,keep back,keep from,keep in,keep in check,keep under control,kidnapping,lag,larval epilepsy,laryngeal epilepsy,laryngospasm,latent epilepsy,lay hands on,lay under restraint,legal restraint,let,let down,let up,letdown,letup,lock up,lockjaw,lockout,lose ground,lose momentum,lose speed,make an arrest,make late,martingale,matutinal epilepsy,meddle,menstrual epilepsy,mesmerize,minus acceleration,moderate,monopolize,monopoly,musicogenic epilepsy,myoclonous epilepsy,nab,nabbing,negativism,net,netting,nick,nocturnal epilepsy,nuisance value,obsess,obstruct,obstruction,obstructionism,occlusion,occupy,occupy the attention,oppose,opposition,paroxysm,pelham,petit mal,physiologic epilepsy,pick up,picking up,pickup,pinch,power grab,prehension,preoccupy,prevent,prohibit,prohibition,protection,protectionism,protective tariff,psychic epilepsy,psychomotor epilepsy,pull,pull in,pull up,put paid to,put under arrest,rationing,reef,reflex epilepsy,rein,rein in,relax,remora,repress,repression,resist,resistance,restrain,restraint,restraint of trade,restriction,retard,retardation,retardment,retrench,retrenchment,rotatoria,run in,running in,scotch,sea anchor,seize,seizure,seizure of power,self-control,sensory epilepsy,serial epilepsy,set back,setback,shackle,sit-down strike,slack off,slack up,slack-up,slacken,slackening,slough,slow,slow down,slow up,slowdown,slowing,slowing down,slowup,snaffle,snatch,snatching,snub,spasm,spellbind,spoke,squeeze,stalemate,stall,stand,standoff,standstill,stay,stem,stem the tide,stop,stop cold,stop dead,stop short,stop up,stoppage,straiten,stranglehold,stricture,strike,stroke,suppress,suppression,take,take captive,take in,take in sail,take into custody,take prisoner,take up,taking,taking in,taking into custody,tardy epilepsy,tariff wall,tetanus,tetany,thought control,throes,thromboembolism,thrombosis,throttle down,thwart,tonic epilepsy,tonic spasm,torsion spasm,trammel,traumatic epilepsy,trismus,ucinate epilepsy,visitation,walkout,withhold,withstand,work stoppage 1222 - arrested development,Freudian fixation,amentia,backwardness,blithering idiocy,cretinism,father fixation,fixation,half-wittedness,idiocy,idiotism,imbecility,infantile fixation,infantilism,insanity,libido fixation,mental defectiveness,mental deficiency,mental handicap,mental retardation,mongolianism,mongolism,mongoloid idiocy,moronism,moronity,mother fixation,parent fixation,pregenital fixation,profound idiocy,regression,retardation,retardment,retreat to immaturity,simple-wittedness,simplemindedness,simpleness,simplicity,subnormality 1223 - arrested,babbling,back,backward,behind,behindhand,belated,blithering,blocked,bridled,burbling,callow,caught,charmed,checked,coarse,constrained,controlled,crackbrained,cracked,crazy,cretinistic,cretinous,crude,curbed,defective,deficient,delayed,delayed-action,detained,dithering,driveling,drooling,embryonic,enchanted,enthralled,failing,fascinated,fixed,gripped,guarded,half-baked,half-witted,held,held up,hung up,hypnotized,hypoplastic,idiotic,imbecile,imbecilic,immature,impeded,in a bind,in abeyance,in arrear,in arrears,in check,in default,in embryo,in leading strings,in ovo,in remission,in short supply,in the rough,inadequate,incomplete,infant,inhibited,jammed,lacking,late,latish,maundering,mentally defective,mentally deficient,mentally handicapped,mentally retarded,mesmerized,missing,mongoloid,moratory,moronic,needing,never on time,not all there,obstructed,on leash,overdue,oversimple,part,partial,patchy,pent-up,rapt,reductionistic,reductive,restrained,retarded,rough,roughcast,roughhewn,rude,rudimental,rudimentary,scant,scanty,scrappy,set back,short,shy,simple,simpleminded,simpletonian,simplistic,sketchy,slobbering,slow,slowed down,spellbound,stopped,stunted,subnormal,tardy,unblown,uncultivated,uncultured,uncut,under control,under discipline,under restraint,underdeveloped,undeveloped,unfashioned,unfinished,unformed,unhewn,unlabored,unlicked,unpolished,unprocessed,unpunctual,unready,unrefined,untimely,untreated,unworked,unwrought,wanting 1224 - arresting,affective,appealing,apprehension,arrestation,arrestment,attractive,conspicuous,dazzling,detention,electrifying,enchanting,extraordinary,fascinating,impressive,marked,moving,nab,outstanding,pickup,pinch,pointed,prominent,remarkable,salient,shocking,signal,striking,stunning,surprising,touching 1225 - arrival,advent,appearance,approach,blind landing,comer,coming,coming in,do,emergence,entrance,entrant,go,immigrant,in-migrant,incomer,intruder,issuance,landing,manifestation,migrant,newcomer,passenger,prosperity,settler,stack up,touchdown,tourist,traveller,visitant,visitor 1226 - arrive at,accomplish,achieve,approach,arrive,arrive in,arrive upon,attain,attain to,be received,blow in,bob up,check in,clock in,come,come at,come in,come to,come to hand,come upon,fall upon,fetch,fetch up at,find,gain,get at,get in,get there,get to,hit,hit town,hit upon,light upon,make,make it,pitch upon,pop up,pull in,punch in,reach,ring in,roll in,show up,sign in,strike upon,stumble on,stumble upon,time in,turn up 1227 - arrive,accomplish,achieve,achieve success,advance,appear,approach,arrive at,arrive in,attain,attain to,be a success,be received,blow in,bob up,break through,check in,clock in,come,come in,come on,come through,come to,come to hand,cut a swath,fetch,fetch up at,find,flourish,gain,get,get ahead,get in,get on,get there,get to,go,go far,go places,have it made,hit,hit town,make,make a breakthrough,make a success,make good,make headway,make it,make out,make the grade,make the scene,pop up,progress,prosper,pull in,punch in,reach,ring in,rise,roll in,score,show,show up,sign in,succeed,thrive,time in,turn up 1228 - arriviste,Babbitt,Philistine,Young Turk,boor,bounder,bourgeois,bright young man,cad,churl,clown,comer,emigrant,epicier,fledgling,gate-crasher,greenhorn,groundling,guttersnipe,hooligan,ill-bred fellow,immigrant,intruder,looby,lout,low fellow,modern,modern generation,modern man,modernist,modernizer,mucker,neologism,neologist,neology,neonate,neoteric,neoterism,neoterist,new arrival,new boy,new generation,new man,newcomer,nouveau riche,novus homo,parvenu,peasant,recruit,ribald,rising generation,rookie,rough,roughneck,rowdy,ruffian,settler,squatter,stowaway,stripling,tenderfoot,upstart,vulgarian,vulgarist,yokel 1229 - arrogance,airs,assurance,assuredness,audacity,belief,bluster,boastfulness,bold front,boldness,brash bearing,brashness,brassiness,bravado,brazenness,bumptiousness,certitude,cheekiness,clannishness,cliquishness,cockiness,cocksureness,conceit,confidence,confidentness,contempt,contemptuousness,contumely,conviction,courage,daring,daringness,defial,defiance,defying,derision,despite,disdain,disdainfulness,disparagement,disregard,effrontery,egotism,exclusiveness,face,faith,gall,hardihood,haughtiness,hauteur,hubris,impertinence,impudence,independence,insolence,insult,loftiness,morgue,nerve,obtrusiveness,overconfidence,oversureness,overweening,overweeningness,pardonable pride,pertness,poise,pomposity,pompousness,positiveness,presumption,presumptuousness,pretension,pretentiousness,pride,pridefulness,procacity,proudness,purse-pride,pushiness,ridicule,sauciness,scorn,scornfulness,security,self-assertion,self-assurance,self-confidence,self-consequence,self-esteem,self-importance,self-reliance,self-respect,self-sufficiency,settled belief,side,sniffiness,snobbery,snobbishness,snootiness,snottiness,sovereign contempt,stiff-necked pride,stiff-neckedness,subjective certainty,superciliousness,sureness,surety,toploftiness,trust,uppishness,uppityness,vanity 1230 - arrogant,absolute,absolutist,absolutistic,affected,arbitrary,aristocratic,artificial,assuming,assured,audacious,authoritarian,authoritative,autocratic,big,bloated,boastful,bold,bossy,brash,brassy,brazen,bumptious,cavalier,challenging,cheeky,clannish,cliquish,cocksure,cocky,cold,conceited,condescending,confident,contemptuous,contumelious,convinced,cool,daring,decided,defiant,defying,derisive,despotic,determined,dictatorial,disdainful,disregardful,domineering,egotistical,exclusive,familiar,feudal,forward,greatly daring,grinding,haughty,high and mighty,high-and-mighty,high-faluting,high-flown,high-handed,high-headed,high-nosed,highfalutin,hoity-toity,hubristic,imperative,imperial,imperious,impertinent,important,impudent,insolent,insulting,lofty,lordly,magisterial,magistral,mannered,masterful,monocratic,obtrusive,oppressive,overbearing,overconfident,overpresumptuous,overruling,oversure,overweening,patronizing,peremptory,persuaded,pert,poised,pompous,pontifical,positive,presuming,presumptuous,procacious,proud,puffy,purse-proud,pushy,reassured,regardless of consequences,repressive,saucy,scornful,secure,self-assertive,self-assured,self-confident,self-important,self-reliant,severe,showy,sneering,sniffy,snobbish,snobby,snooty,snotty,strict,stuck-up,stuffy,supercilious,superior,suppressive,sure,swaggering,toploftical,toplofty,tyrannical,tyrannous,unafraid,undoubting,unfaltering,unhesitating,unwavering,uppish,uppity,upstage,vain,withering 1231 - arrogate,accroach,adopt,annex,appropriate,assume,assume command,colonize,commandeer,confiscate,conquer,encroach,enslave,expropriate,grab,hog,indent,infringe,invade,jump a claim,make free with,make use of,monopolize,mount the throne,occupy,overrun,play God,preempt,preoccupy,prepossess,pretend to,requisition,seize,seize power,seize the throne,sequester,sit on,squat on,subjugate,take,take all of,take charge,take command,take it all,take over,take possession of,take the helm,take the lead,take up,trespass,usurp 1232 - arrogation,accession,accounting for,adoption,anointing,anointment,answerability,application,appointment,appropriation,ascription,assignation,assignment,assumption,attachment,attribution,authorization,blame,charge,colonization,connection with,conquest,consecration,coronation,credit,delegation,deputation,derivation from,election,empowerment,encroachment,enslavement,etiology,honor,imputation,indent,infringement,invasion,legitimate succession,occupation,palaetiology,placement,playing God,preemption,preoccupation,prepossession,reference to,requisition,responsibility,saddling,seizure,subjugation,succession,takeover,taking over,trespass,trespassing,usurpation 1233 - arrow,antelope,arrowhead,barb,blaze,blue darter,blue streak,bobtailed arrow,bolt,cannonball,chested arrow,cloth yard shaft,compass needle,courser,dart,direction,direction post,eagle,electricity,express train,finger post,fist,flash,flight,gazelle,greased lightning,greyhound,guide,guideboard,guidepost,hand,hare,hour hand,index,index finger,jet plane,lead,light,lightning,lubber line,mercury,milepost,minute hand,needle,pointer,quarrel,quicksilver,reed,rocket,scared rabbit,shaft,shot,signboard,signpost,streak,streak of lightning,striped snake,swallow,thought,thunderbolt,torrent,volley,wind 1234 - arsenal,ammo dump,archives,armory,artillery park,assembly line,assembly plant,atomic arsenal,atomic energy plant,attic,bank,basement,bay,bin,bindery,boatyard,boilery,bonded warehouse,bookbindery,bookcase,box,brewery,brickyard,bunker,buttery,cannery,cargo dock,cellar,chest,closet,conservatory,crate,creamery,crib,cupboard,dairy,defense plant,depository,depot,distillery,dock,dockyard,drawer,dump,exchequer,factory,factory belt,factory district,feeder plant,flour mill,glory hole,godown,gun park,hold,hutch,industrial park,industrial zone,library,locker,lumber room,lumberyard,magasin,magazine,main plant,manufactory,manufacturing plant,manufacturing quarter,mill,mint,munitions plant,oil refinery,packing house,park,plant,pottery,power plant,production line,push-button plant,rack,refinery,repertory,repository,reservoir,rick,sawmill,shelf,shipyard,stack,stack room,stock room,storage,store,storehouse,storeroom,subassembly plant,sugar refinery,supply base,supply depot,tank,tannery,treasure house,treasure room,treasury,vat,vault,warehouse,wine cellar,winery,yard,yards 1235 - arsenic,DDD,DDT,Paris green,antimony,arsenic trioxide,beryllium,bichloride of mercury,cadmium,carbolic acid,carbon monoxide,carbon tetrachloride,chlorine,cyanide,hydrocyanic acid,hyoscyamine,lead,mercuric chloride,mercury,mustard gas,nicotine,phenol,poison gas,prussic acid,selenium,strychnine 1236 - arsonist,annihilator,biblioclast,bomber,burner,demolisher,destroyer,dynamitard,dynamiter,exterminator,fire worshiper,firebug,hun,iconoclast,idol breaker,idoloclast,incendiary,nihilist,pyrolater,pyromaniac,pyrophile,ruiner,syndicalist,terrorist,torch,vandal,wrecker 1237 - arsy varsy,a rebours,against the grain,anarchic,ass over elbows,ass-backwards,back-to-front,backwards,balled up,bollixed up,by contraries,capsized,chaotic,chiastic,confused,contra,contrarily,contrariously,contrariwise,conversely,everted,fouled up,galley-west,helter-skelter,higgledy-piggledy,hugger-mugger,hyperbatic,in a mess,in flat opposition,inside out,introverted,invaginated,inversed,inversely,inverted,jumbled,just the opposite,mixed up,mucked up,muddled,nay rather,on the contrary,oppositely,otherwise,outside in,palindromic,per contra,quite the contrary,rather,resupinate,retroverted,reversed,scattered,screwed up,skimble-skamble,snafu,to the contrary,topsy-turvy,tout au contraire,transposed,upside down,upside-down,vice versa,wrong side out 1238 - art song,Brautlied,Christmas carol,Kunstlied,Liebeslied,Volkslied,alba,anthem,aubade,ballad,ballade,ballata,barcarole,blues,blues song,boat song,bridal hymn,brindisi,calypso,canso,canticle,canzone,canzonet,canzonetta,carol,cavatina,chanson,chant,chantey,croon,croon song,dirge,ditty,drinking song,epithalamium,folk song,hymeneal,lay,lied,lilt,love song,love-lilt,matin,minstrel song,minstrelsy,national anthem,prothalamium,serena,serenade,serenata,song,theme song,torch song,war song,wedding song 1239 - art work,art object,brainchild,bric-a-brac,classic,composition,creation,design,grotesque,kitsch,master,masterpiece,masterwork,mobile,museum piece,nude,old master,pasticcio,pastiche,piece,piece of virtu,stabile,statue,still life,study,virtu,work,work of art 1240 - art,American,Art Nouveau,Ashcan school,Barbizon,Bauhaus,Bolognese,British,Cobra,Dadaism,Dutch,Fauvism,Flemish,Fontainebleau,French,Gothicism,Italian,Italian hand,Mannerist,Milanese,Modenese,Momentum,Neapolitan,New York,Paduan,Parisian,Phases,Pre-Raphaelite,Raphaelite,Reflex,Restany,Roman,Scottish,Sienese,Spur,Suprematism,The Ten,Tuscan,Umbrian,Venetian,Washington,abstract expressionism,abstractionism,academic discipline,academic specialty,action painting,acuteness,address,adroitness,alphabet,applied science,area,arena,art nouveau,art schools,artful dodge,artfulness,artifice,artistic skill,artistry,arty-craftiness,astuteness,baroque,blind,blueprint,business,cageyness,callidity,calling,canniness,capability,career,career building,careerism,charactering,characterization,chart,chicanery,choreography,classicalism,classicism,cleverness,cloisonnism,competence,conceptual art,concern,conspiracy,constructivism,contrivance,conventional representation,conventionalism,coup,craft,craftiness,cubism,cunning,cunningness,cute trick,dance notation,deceit,delineation,demonstration,department of knowledge,depiction,depictment,design,device,dexterity,diagram,discipline,dodge,domain,drama,drawing,earth art,eclectic,elementarism,exemplification,existentialism,expedient,expertise,expressionism,fakement,feel,feint,fetch,field,field of inquiry,field of study,figuration,fine Italian hand,finesse,flair,foxiness,free abstraction,futurism,gambit,game,gamesmanship,gimmick,grift,groups,guile,hallucinatory painting,handicraft,handiness,hang,hieroglyphic,iconography,idealism,ideogram,illustration,imagery,imaging,impressionism,ingeniousness,insidiousness,intimism,intrigue,intuitionism,inventiveness,jugglery,kinetic art,knack,knavery,know-how,letter,lifework,limning,line,line of business,line of work,linear chromatism,little game,logogram,logograph,maneuver,map,matter painting,mechanics,mechanism,method,metier,minimal art,mission,modernism,move,musical notation,mystery,mysticism,natural science,naturalism,neoclassicism,neoconcrete art,neoconstructivism,nonobjectivism,notation,nuagism,number,occupation,ology,one-upmanship,op art,photomontage,pictogram,picturization,plan,plein-air,plot,ploy,poetic realism,poetic tachism,pointillism,portraiture,portrayal,postexpressionism,practice,prefigurement,preimpressionism,presentment,primitivism,printing,profession,proficiency,projection,province,pure science,purism,pursuit,quietistic painting,racket,readiness,realism,realization,red herring,rendering,rendition,representation,representationalism,representationism,resourcefulness,romanticism,ruse,satanic cunning,savvy,schema,scheme,science,score,script,sharpness,shift,shiftiness,shrewdness,skill,sleight,slipperiness,slyness,sneakiness,social science,sophistry,specialization,specialty,sphere,stealth,stealthiness,stratagem,strategy,study,subterfuge,subtilty,subtleness,subtlety,suppleness,suprematism,surrealism,syllabary,symbol,symbolism,synchromism,synthesism,tablature,tachism,tactic,talent,technic,technical know-how,technical knowledge,technical skill,technicology,technics,technique,technology,touch,trade,traditionalism,trick,trickery,trickiness,unism,virtu,vocation,vorticism,walk,walk of life,wariness,way,wile,wiles,wiliness,wily device,wit,work,writing 1241 - arterial,Autobahn,US highway,alley,alleyway,arterial highway,arterial street,artery,autoroute,autostrada,avenue,belt highway,blind alley,boulevard,bypass,byway,camino real,capillary,carriageway,causeway,causey,chaussee,circumferential,close,corduroy road,county road,court,crescent,cul-de-sac,dead-end street,dike,dirt road,drive,driveway,expressway,freeway,gravel road,highroad,highway,highways and byways,interstate highway,lane,local road,main drag,main road,mews,motorway,parkway,pave,paved road,pike,place,plank road,primary highway,private road,right-of-way,ring road,road,roadbed,roadway,route nationale,row,royal road,secondary road,speedway,state highway,street,superhighway,terrace,thoroughfare,through street,thruway,toll road,township road,turnpike,vascular,veinous,venose,venous,vesicular,wynd 1242 - arteriosclerosis,angina,angina pectoris,aortic insufficiency,aortic stenosis,apoplectic stroke,apoplexy,arrhythmia,atherosclerosis,atrial fibrillation,auricular fibrillation,beriberi heart,calcification,callusing,cardiac arrest,cardiac insufficiency,cardiac shock,cardiac stenosis,cardiac thrombosis,carditis,case hardening,concretion,congenital heart disease,cor biloculare,cor juvenum,cor triatriatum,cornification,coronary,coronary insufficiency,coronary thrombosis,crystallization,diastolic hypertension,encased heart,endocarditis,extrasystole,fatty heart,fibroid heart,firming,flask-shaped heart,fossilization,frosted heart,granulation,hairy heart,hardening,heart attack,heart block,heart condition,heart disease,heart failure,high blood pressure,hornification,hypertension,hypertensive heart disease,induration,ischemic heart disease,lapidification,lithification,mitral insufficiency,mitral stenosis,myocardial infarction,myocardial insufficiency,myocarditis,myovascular insufficiency,ossification,ox heart,palpitation,paralytic stroke,paroxysmal tachycardia,pericarditis,petrifaction,petrification,pile,premature beat,pseudoaortic insufficiency,pulmonary insufficiency,pulmonary stenosis,rheumatic heart disease,round heart,sclerosis,setting,solidification,steeling,stiffening,stony heart,stroke,tachycardia,tempering,thrombosis,toughening,tricuspid insufficiency,tricuspid stenosis,turtle heart,varicose veins,varix,ventricular fibrillation,vitrifaction,vitrification 1243 - artery,Autobahn,US highway,access,aisle,alley,alleyway,ambulatory,aorta,aperture,arcade,arterial,arterial highway,arterial street,arteriole,autoroute,autostrada,avenue,belt highway,blind alley,blood vessel,boulevard,bypass,byway,camino real,capillary,carotid,carriageway,causeway,causey,channel,chaussee,circumferential,cloister,close,colonnade,communication,conduit,connection,corduroy road,corridor,county road,court,covered way,crescent,cul-de-sac,dead-end street,defile,dike,dirt road,drag,drive,driveway,exit,expressway,ferry,ford,freeway,gallery,gravel road,highroad,highway,highways and byways,inlet,interchange,intersection,interstate highway,jugular vein,junction,lane,local road,main drag,main road,mews,motorway,opening,outlet,overpass,parkway,pass,passage,passageway,path,pave,paved road,pike,place,plank road,portal vein,portico,primary highway,private road,pulmonary artery,pulmonary vein,railroad tunnel,right-of-way,ring road,road,roadbed,roadway,route nationale,row,royal road,secondary road,speedway,state highway,street,superhighway,terrace,thoroughfare,through street,thruway,toll road,township road,track,traject,trajet,tunnel,turnpike,underpass,vein,veinlet,vena cava,venation,venule,wynd 1244 - Artful Dodger,Casanova,Don Juan,Machiavel,Machiavelli,Machiavellian,Philadelphia lawyer,Yankee horse trader,actor,bamboozler,befuddler,beguiler,charmer,counterfeiter,crafty rascal,deceiver,deluder,dissembler,dissimulator,dodger,double-dealer,duper,enchanter,entrancer,faker,fooler,forger,fox,gay deceiver,glib tongue,hoaxer,horse trader,hypnotizer,jilt,jilter,joker,jokester,kidder,leg-puller,mesmerizer,misleader,plagiarist,plagiarizer,playactor,practical joker,ragger,reynard,role-player,seducer,shyster,slick citizen,sly dog,slyboots,spoofer,sweet talker,swindler,tease,teaser,trickster 1245 - artful,Byzantine,Machiavellian,Machiavellic,acute,adroit,ambidextrous,arch,astute,cagey,calculating,canny,chiseling,clever,collusive,covinous,crafty,crooked,cunning,cute,deceitful,deep,deep-laid,designing,devious,dexterous,diplomatic,dishonest,disingenuous,double,double-dealing,double-faced,double-minded,double-tongued,doublehearted,duplicitous,facile,faithless,false,false-principled,falsehearted,feline,finagling,forsworn,foxy,fraudulent,furtive,guileful,indirect,ingenious,insidious,insincere,inventive,knowing,oily,pawky,perfidious,perjured,politic,ready,resourceful,scheming,serpentine,sharp,shifty,shrewd,slick,slippery,sly,smooth,snaky,sneaky,sophistical,specious,stealthy,strategic,suave,subtile,subtle,superficial,supple,surreptitious,tactical,treacherous,trickish,tricksy,tricky,two-faced,uncandid,underhand,underhanded,unfrank,unsincere,untruthful,vulpine,wary,wily 1246 - artfulness,Gongorism,Italian hand,ability,acuteness,address,adeptness,adroitness,affectation,affectedness,airmanship,animal cunning,art,artifice,artificiality,artisanship,artistry,astuteness,bravura,brilliance,cageyness,callidity,canniness,capability,capacity,cleverness,command,competence,control,coordination,craft,craftiness,craftsmanship,credibility gap,cunning,cunningness,deceit,deceitfulness,deftness,deviousness,dexterity,dexterousness,dextrousness,diplomacy,disingenuousness,duplicity,efficiency,euphemism,euphuism,expertise,facility,falseheartedness,falseness,fine Italian hand,finesse,forswearing,foxiness,fraud,furtiveness,gamesmanship,grace,grip,guile,guilefulness,handiness,horsemanship,hyperelegance,hypocrisy,indirection,ingeniousness,ingenuity,insidiousness,insincerity,intrigue,inventiveness,know-how,low cunning,manneredness,mannerism,marksmanship,mastership,mastery,one-upmanship,overelaboration,overelegance,overniceness,overrefinement,pawkiness,perjury,practical ability,preciosity,preciousness,pretentiousness,proficiency,prowess,purism,quickness,readiness,resource,resourcefulness,satanic cunning,savoir-faire,savvy,seamanship,sharp practice,sharpness,shiftiness,shrewdness,skill,skillfulness,slickness,slipperiness,slyness,sneak attack,sneakiness,sophistry,stealth,stealthiness,style,subtility,subtilty,subtleness,subtlety,suppleness,surreptitiousness,tact,tactfulness,technical brilliance,technical mastery,technical skill,technique,timing,treacherousness,trickiness,uncandidness,uncandor,underhandedness,unfrankness,unnaturalness,unsincereness,untruthfulness,virtuosity,wariness,wiles,wiliness,wit,wizardry,workmanship 1247 - arthritic,allergic,anemic,apoplectic,bilious,cancerous,case,chlorotic,colicky,consumptive,dropsical,dyspeptic,edematous,encephalitic,epileptic,incurable,inpatient,invalid,laryngitic,leprous,luetic,malarial,malignant,measly,nephritic,neuralgic,neuritic,outpatient,palsied,paralytic,patient,phthisic,pleuritic,pneumonic,pocky,podagric,rachitic,rheumatic,rickety,scorbutic,scrofulous,shut-in,sick person,spastic,sufferer,tabetic,tabid,terminal case,the sick,tubercular,tuberculous,tumorigenic,tumorous,valetudinarian 1248 - arthritis,adenoiditis,adrenitis,appendicitis,arteritis,arthritis deformans,arthritis fungosa,arthritis pauperum,atrophic arthritis,atrophic inflammation,blennorrhagic arthritis,brain fever,bronchitis,bunion,bursitis,capillaritis,carditis,catarrh,catarrhal inflammation,cerebellitis,cerebral meningitis,cerebritis,cerebrospinal meningitis,chronic infectious arthritis,chronic inflammation,cirrhotic inflammation,climactic arthritis,clitoritis,colitis,collagen disease,conjunctivitis,cystitis,degenerative arthritis,diffuse inflammation,encephalitis,endocarditis,enteritis,equine encephalomyelitis,exudative inflammation,fibroid inflammation,focal inflammation,gastritis,gingivitis,glossitis,gonococcal arthritis,gonorrheal arthritis,gonorrheal rheumatism,gout,gouty arthritis,hemophilic arthritis,hepatitis,hyperplastic inflammation,hypertrophic arthritis,hypertrophic inflammation,infectional arthritis,infectious hepatitis,inflammation,irritable bowel syndrome,laryngitis,lumbago,lumbar rheumatism,mastoiditis,meningitis,menopausal arthritis,metastatic inflammation,metritis,milk leg,mucous colitis,mumps meningitis,myelitis,necrotic inflammation,nephritis,neuritis,obliterative inflammation,ophthalitis,ophthalmia,orchitis,osseous rheumatism,osteitis,osteoarthritis,osteomyelitis,otitis,ovaritis,paradental pyorrhea,penitis,pericarditis,periodontitis,peritonitis,pharyngitis,phlebitis,podagra,proliferative arthritis,prostatitis,pyonephritis,pyorrhea,pyorrhea alveolaris,reactive inflammation,rheumatism,rheumatiz,rheumatoid arthritis,rhinitis,sclerosing inflammation,seroplastic inflammation,serous inflammation,serum hepatitis,simple inflammation,sinusitis,spastic colon,specific inflammation,subacute rheumatism,suppurative arthritis,suppurative inflammation,syphilitic arthritis,tennis elbow,testitis,thrombophlebitis,tonsilitis,torticollis,toxic inflammation,traumatic inflammation,tuberculous arthritis,tuberculous rheumatism,ulcerative colitis,uratic arthritis,ureteritis,urethral arthritis,urethritis,uteritis,vaginitis,vertebral arthritis,visceral rheumatism,vulvitis,wryneck 1249 - article,accuse,affair,allege,apprentice,arraign,article of commerce,article of merchandise,artifact,aspect,autograph,back matter,beat,bind,bind over,book,brainchild,bring accusation,bring charges,bring to book,budget of news,case,causerie,chapter,charge,cite,clause,column,commodity,complain,composition,computer printout,copy,count,critique,datum,definite article,denounce,denunciate,descant,detail,determinative,determiner,dingus,discourse,discussion,disquisition,dissertation,division,document,dofunny,dohickey,dojigger,dojiggy,domajig,domajigger,doodad,dowhacky,draft,drug,edited version,element,engrossment,entity,eppes,essay,etude,etwas,examination,exclusive,excursus,exposition,facet,fact,factor,fair copy,fascicle,fasten on,fasten upon,feature,fiction,final draft,finger,finished version,first approach,first draft,flimsy,flumadiddle,folio,front matter,gadget,gathering,gigamaree,gimmick,gizmo,hang something on,hickey,holograph,homily,hootenanny,hootmalalie,impeach,imply,impute,incidental,indefinite article,indenture,indict,individual,inform against,inform on,insinuate,installment,instance,integer,introductory study,item,jigger,lay charges,lead item,leader,letter,literae scriptae,literary artefact,literary production,literature,livraison,lodge a complaint,lodge a plaint,loss leader,lucubration,manifesto,manuscript,material thing,matter,memoir,minor detail,minutia,minutiae,module,monograph,morceau,news item,nonfiction,note,noun determiner,number,object,opus,original,outline,page,pandect,paper,paragraph,parchment,part,particular,passage,penscript,person,persona,phrase,piece,piece of writing,pin on,play,poem,point,prefer charges,preliminary study,press charges,printed matter,printout,product,production,prolegomenon,put on report,quelque chose,reading matter,recension,regard,report,reproach,research paper,respect,scoop,screed,scrip,script,scrive,scroll,second draft,seconds,section,segment,sentence,serial,sheet,signature,single,singleton,sketch,something,soul,special,special article,spot news,standard article,staple,staple item,statement,story,study,survey,take to task,task,taunt with,tax,term paper,text,the written word,theme,thesis,thing,thingum,thingumadoodle,thingumajig,thingumajigger,thingumaree,thingummy,tract,tractate,transcript,transcription,treatise,treatment,twit,typescript,unit,vendible,verse,version,volume,ware,whatchy,widget,work,writing 1250 - articulate,Ciceronian,Demosthenian,Demosthenic,Tullian,accouple,accumulate,adjust,agglutinate,amass,apprehensible,assemble,associate,audible,band,batten,batten down,bolt,bond,bracket,breathe,bridge,bridge over,buckle,butt,button,cement,chain,chime,chorus,clap together,clasp,clear,cleat,clip,cognizable,collect,combine,come out with,communicate,comprehensible,comprise,concatenate,conglobulate,conjoin,conjugate,connect,contrastive,convey,coordinate,copulate,couple,cover,definite,deliver,disclose,distinct,distinctive,dovetail,easily understood,easy to understand,eloquent,embrace,emit,encompass,enunciate,exoteric,express,facund,fathomable,felicitous,fling off,fluent,formulate,free-speaking,free-spoken,garrulous,gather,give,give expression,give out with,give tongue,give utterance,give voice,glib,glue,harmonize,hasp,hearable,hi-fi,high-fidelity,hinge,hitch,hook,impart,include,intelligible,jam,join,joint,jointed,knot,knowable,latch,lay together,league,let out,link,lip,lock,loud-speaking,loud-spoken,lump together,marry,marshal,mass,meaningful,merge,methodize,miter,mobilize,mortise,nail,oral,order,organize,out with,outspoken,pair,peg,penetrable,phonate,phrase,piece together,pin,plain,plain-speaking,plain-spoken,plumbable,pour forth,prehensible,present,prolix,pronounce,put forth,put in words,put together,rabbet,raise,readable,regulate,relate,rivet,roll into one,say,scarf,screw,scrutable,set forth,sew,significant,silver,silver-tongued,skewer,slick,smooth,smooth-spoken,smooth-tongued,snap,soft-speaking,soft-spoken,solder,sonant,sound,span,speaking,spellbinding,splice,spoken,staple,stick,stick together,stitch,systematize,tack,take in,talkative,talking,tape,tell,throw off,tie,toggle,true-speaking,understandable,unify,unite,utter,venting,verbalize,viva voce,vocalize,voice,voiced,wedge,weld,well-spoken,whisper,word,yoke,zipper 1251 - articulation,Indian file,agglomeration,agglutination,aggregation,allophone,alveolar,ankle,antonym,apico-alveolar,apico-dental,array,aspiration,assimilation,attack,bank,bilabial,bond,boundary,bracketing,butt,buzz,cacuminal,catena,catenation,cerebral,cervix,chain,chain reaction,chaining,check,clinch,closure,clustering,combination,communication,concatenation,concourse,concurrence,confluence,congeries,conglomeration,conjugation,conjunction,connecting link,connecting rod,connection,consecution,consonant,continuant,continuum,convergence,copulation,coupling,course,cycle,delivery,dental,descent,diphthong,dissimilation,dovetail,drone,elbow,embrace,endless belt,endless round,enunciation,epenthetic vowel,explosive,expression,file,filiation,free form,gamut,gathering,glide,gliding joint,glottal,glottalization,gradation,guttural,hinge,hinged joint,hip,homograph,homonym,homophone,hookup,hum,intercommunication,intercourse,interface,interlinking,join,joinder,joining,joint,jointure,junction,juncture,knee,knotting,knuckle,labial,labialization,labiodental,labiovelar,laryngeal,lateral,lexeme,liaison,line,lineage,lingual,linguistic form,link,linkage,linking,liquid,locution,logos,manner of articulation,marriage,meeting,merger,merging,metonym,minimum free form,miter,modification,monophthong,monosyllable,monotone,morphophoneme,mortise,mute,nasal,neck,nexus,occlusive,pairing,palatal,parasitic vowel,peak,pendulum,periodicity,pharyngeal,pharyngealization,phonation,phone,phoneme,pivot,pivot joint,plenum,plosive,polysyllable,powder train,progression,pronunciation,prothetic vowel,queue,rabbet,range,rank,recurrence,reticulation,retroflex,rotation,round,routine,row,run,scale,scarf,seam,segmental phoneme,semivowel,sequence,series,shoulder,single file,sonant,sonority,spectrum,speech sound,splice,stitch,stop,string,succession,surd,suture,swath,syllabic nucleus,syllabic peak,syllable,symbiosis,symphysis,synonym,term,thread,tie,tie rod,tie-in,tie-up,tier,toggle,toggle joint,train,transition sound,triphthong,unification,union,usage,utterance,velar,verbalism,verbum,vocable,vocalic,vocalization,vocoid,voice,voiced sound,voiceless sound,voicing,vowel,weld,windrow,word,wrist,yoking 1252 - artifact,affair,ancient manuscript,antique,antiquity,archaism,article,brainchild,cave painting,child,coinage,composition,concoction,creation,creature,crowning achievement,dingus,distillation,dofunny,dohickey,dojigger,dojiggy,domajig,domajigger,doodad,dowhacky,effect,end product,eolith,eppes,essence,etwas,extract,flumadiddle,fossil,fruit,gadget,gigamaree,gimmick,gizmo,handiwork,hickey,hootenanny,hootmalalie,invention,issue,jigger,manufacture,masterpiece,masterwork,material thing,mezzolith,microlith,mintage,neolith,new mintage,object,offspring,opera,opus,opuscule,origination,outcome,outgrowth,paleolith,petrification,petrified forest,petrified wood,petroglyph,plateaulith,product,production,quelque chose,relic,reliquiae,remains,result,ruin,ruins,something,survival,thing,thingum,thingumabob,thingumadad,thingumadoodle,thingumajig,thingumajigger,thingumaree,thingummy,vestige,whatchy,widget,work 1253 - artifice,Gongorism,Italian hand,Machiavellianism,action,acuteness,ad hoc measure,adeptness,adroitness,affectation,affectedness,ambidexterity,answer,art,artful dodge,artfulness,artificiality,astuteness,bad faith,bag of tricks,blind,bluff,bosey,cabal,cageyness,callidity,canniness,catch,chicane,chicanery,chouse,cleverness,collusion,complicity,complot,confederacy,connivance,connivery,conspiracy,contrivance,contriving,countermove,counterplot,coup,course of action,covin,craft,craftiness,cunning,cunningness,curve,curve-ball,cute trick,deceit,deceitfulness,deception,deep-laid plot,demarche,design,device,dirty deal,dirty trick,dishonesty,dissimulation,dodge,dodgery,double-dealing,doubleness,doubleness of heart,duplicity,effort,engineering,euphemism,euphuism,expedient,faithlessness,fakement,falseheartedness,falseness,fast deal,feint,fetch,ficelle,finagling,fine Italian hand,finesse,foul play,foxiness,frame-up,gambit,game,gamesmanship,gimmick,googly,grift,guile,hocus-pocus,hyperelegance,improbity,improvisation,ingeniousness,ingenuity,insidiousness,intrigue,inventiveness,joker,juggle,jugglery,jury-rig,jury-rigged expedient,keenness,knavery,last expedient,last resort,last shift,little game,low cunning,machination,makeshift,maneuver,maneuvering,manipulation,manneredness,mannerism,means,measure,move,one-upmanship,originality,overelaboration,overelegance,overniceness,overrefinement,pass,pettifoggery,pettifogging,pis aller,plot,plotting,ploy,preciosity,preciousness,pretentiousness,proficiency,purism,quickness,racket,rascality,readiness,red herring,resort,resource,resourcefulness,rigging,ruse,satanic cunning,scheme,schemery,scheming,scurvy trick,shake-up,sharp practice,sharpness,shift,shiftiness,shrewdness,skill,skulduggery,sleight,sleight of hand,sleight-of-hand trick,slipperiness,slyness,sneakiness,solution,sophistry,stealth,stealthiness,step,stopgap,stratagem,strategy,stroke,stroke of policy,subterfuge,subtilty,subtleness,subtlety,supercherie,suppleness,tactic,temporary expedient,treachery,trick,trickery,trickiness,trump,two-facedness,underhand dealing,underhandedness,underplot,unnaturalness,wariness,web of intrigue,wile,wiles,wiliness,wily device,wire-pulling,wit,working hypothesis,working proposition 1254 - artificial,Gongoresque,Gongoristic,Marinistic,affected,apocryphal,assumed,bastard,bogus,brummagem,colorable,colored,concocted,contrived,counterfeit,counterfeited,cute,distorted,dressed up,dummy,elaborate,elaborated,embellished,embroidered,ersatz,euphuistic,fabricated,factitious,fake,faked,false,falsified,fashioned,feigned,fictitious,fictive,forced,garbled,goody-goody,high-sounding,histrionic,hollow,hyperelegant,illegitimate,imitation,insincere,junky,la-di-da,labored,made,made-up,make-believe,man-made,maniere,mannered,manufactured,meretricious,mincing,mock,overacted,overdone,overelaborate,overelegant,overnice,overrefined,painted,papier-mache,perverted,phony,pinchbeck,plastic,precieuse,precieux,precious,pretend,pretended,pretentious,pseudo,put-on,quaint,quasi,queer,self-styled,sham,shoddy,simpering,simulated,so-called,soi-disant,spurious,stagy,studied,substitute,supposititious,synthetic,theatrical,tin,tinsel,titivated,twisted,unauthentic,ungenuine,unnatural,unreal,warped 1255 - artilleryman,Nimrod,archer,artillerist,bomb thrower,bombardier,bomber,bowman,cannoneer,carabineer,crack shot,dead shot,deadeye,good shot,gun,gunman,gunner,hunter,machine gunner,marksman,markswoman,musketeer,rifleman,sharpshooter,shooter,shot,sniper,targetshooter,toxophilite,trapshooter 1256 - artisan,Admirable Crichton,adept,aeromechanic,apprentice,artificer,artist,artiste,attache,authority,connaisseur,connoisseur,consultant,copyist,cordon bleu,crack shot,craftsman,craftswoman,creator,dauber,daubster,dead shot,diplomat,diplomatist,elder statesman,experienced hand,expert,expert consultant,graduate,handicraftsman,handy man,journeyman,machinist,maker,marksman,master,master carpenter,master craftsman,mechanic,mechanician,no slouch,old master,politician,prentice,pro,professional,professor,proficient,savant,shark,sharp,statesman,technical adviser,technician,wright 1257 - artist,Admirable Crichton,ace,adept,ancestors,apprentice,architect,artificer,artisan,artiste,attache,author,authority,begetter,beginner,belly dancer,builder,burlesque queen,chorine,chorus boy,chorus girl,conceiver,concert artist,conjurer,connaisseur,connoisseur,constructor,consultant,copyist,cordon bleu,coryphee,crack shot,crackerjack,craftsman,craftswoman,creator,dancer,dancing girl,dauber,daubster,dead shot,designer,deviser,diplomat,diplomatist,discoverer,ecdysiast,effector,elder statesman,engenderer,engineer,entertainer,executant,executor,executrix,exotic dancer,experienced hand,expert,expert consultant,father,female impersonator,first-rater,founder,geisha,geisha girl,generator,genius,graduate,grower,guisard,guiser,handicraftsman,handy man,hoofer,impersonator,inaugurator,industrialist,initiator,instigator,institutor,interpreter,introducer,inventor,journeyman,maestro,magician,maker,manufacturer,marksman,master,master carpenter,master craftsman,mechanic,minstrel,minstrelsy,mother,mountebank,mummer,music maker,musician,nautch girl,no slouch,old master,organizer,originator,past master,peeler,performer,planner,player,politician,precursor,prentice,prestidigitator,prime mover,pro,prodigy,producer,professional,professor,proficient,public entertainer,raiser,realizer,savant,shaper,shark,sharp,show girl,singer,sire,smith,soloist,statesman,stripper,stripteaser,stripteuse,technical adviser,technician,topnotcher,tunester,vaudevillian,vaudevillist,virtuosa,virtuoso,whiz,wizard,wonder,wright 1258 - artistic,Attic,Daedalian,adept,adroit,aesthetic,apt,art-conscious,arty,authoritative,beautiful,bravura,brilliant,chaste,choice,classic,clean,clever,coordinated,crack,crackerjack,cunning,cute,daedal,deft,dexterous,dextrous,diplomatic,excellent,expert,fancy,good,goodish,graceful,handy,in good taste,ingenious,magisterial,masterful,masterly,neat,no mean,of choice,of consummate art,of quality,ornamental,painterly,pleasing,politic,professional,proficient,pure,quick,quiet,quite some,ready,resourceful,restrained,simple,skillful,slick,some,statesmanlike,stylish,subdued,tactful,tasteful,the compleat,the complete,unaffected,understated,unobtrusive,virtuoso,well-chosen,well-done,workmanlike 1259 - artistry,ability,address,adeptness,adroitness,airmanship,art,artfulness,artisanship,artistic skill,arty-craftiness,authorcraft,authorship,automatic writing,bravura,brilliance,cacoethes scribendi,capability,capacity,cleverness,command,competence,composition,control,coordination,craft,craftsmanship,creative writing,cunning,deftness,dexterity,dexterousness,dextrousness,diplomacy,drama-writing,editorial-writing,efficiency,essay-writing,expertise,expository writing,facility,facility in writing,feature-writing,finesse,flair,grace,graphomania,graphorrhea,graphospasm,grip,handiness,horsemanship,inditement,ingeniousness,ingenuity,journalism,know-how,libretto-writing,literary artistry,literary composition,literary power,literary production,literary talent,marksmanship,mastership,mastery,novel-writing,pen,pencraft,playwriting,practical ability,proficiency,prowess,quickness,readiness,ready pen,resource,resourcefulness,rewriting,savoir-faire,savvy,seamanship,short-story writing,skill,skill with words,skillfulness,style,tact,tactfulness,talent,technical brilliance,technical mastery,technical skill,technical writing,technique,timing,verse-writing,virtu,virtuosity,wit,wizardry,workmanship,writing 1260 - artless,aboveboard,arty,awkward,befoolable,big,bluff,blunt,born yesterday,broad,brusque,bungling,candid,childlike,clumsy,confiding,crude,direct,downright,explicit,foolable,forthright,frank,frankhearted,free,free-speaking,free-spoken,free-tongued,genuine,green,guileless,gullible,half-assed,heart-to-heart,high-sounding,honest,humble,imposing,in the raw,inadept,inapt,inartificial,inattentive,incompetent,inefficient,inept,inexperienced,inexpert,ingenu,ingenuous,innocent,mediocre,naive,native,natural,on the level,open,openhearted,ordinary,outspoken,overblown,pedestrian,plain,plain-spoken,poor,primitive,pristine,relaxed,round,simple,simplehearted,simpleminded,sincere,single-hearted,single-minded,skill-less,straight,straight-out,straightforward,thoughtless,transparent,true,trustful,trusting,unaffected,unapt,unartificial,unassuming,unchecked,uncomplicated,unconstrained,undeceptive,undeft,undexterous,undextrous,unequivocal,unfacile,unguarded,unintelligent,unpretentious,unproficient,unreserved,unrestrained,unschooled,unskilled,unskillful,unsophisticated,unstudied,unsullied,unsuspicious,untalented,untouched,unwary,virgin,virginal 1261 - artlessness,absolute realism,authenticity,bluffness,bluntness,bona fideness,broadness,brusqueness,candidness,candor,directness,forthrightness,frankness,freedom,freeness,genuineness,honesty,inartificiality,ingenuousness,intactness,legitimacy,lifelikeness,literalism,literality,literalness,natural man,natural state,naturalism,naturalness,nature,openheartedness,openness,outspokenness,photographic realism,plain dealing,plain speaking,plainness,plainspokenness,pristineness,realism,realness,roundness,sincerity,state of nature,straightforwardness,true-to-lifeness,truth to nature,unadulteration,unaffectedness,unconstraint,unfictitiousness,unreserve,unrestraint,unspeciousness,unspuriousness,unsyntheticness,verisimilitude,virginity 1262 - as a rule,all in all,all things considered,altogether,as a whole,as an approximation,as per usual,as things go,as usual,at large,broadly,broadly speaking,by and large,chiefly,commonly,customarily,frequently,generally,generally speaking,habitually,in general,mainly,most often,mostly,naturally,normally,normatively,on balance,on the whole,ordinarily,overall,predominantly,prescriptively,prevailingly,regularly,roughly,roughly speaking,routinely,speaking generally,to be expected,usually 1263 - as is,actual,alike,as per usual,as things are,as usual,at a stand,at a standstill,being,coequally,coextensively,coincidentally,congruently,contemporaneous,contemporary,correspondently,correspondingly,coterminously,current,ditto,equally,existent,existing,extant,fresh,ibid,ibidem,identically,immanent,immediate,instant,just the same,latest,likewise,modern,new,present,present-age,present-day,present-time,running,same here,synonymously,that be,that is,the same way,topical,up-to-date,up-to-the-minute 1264 - as it were,assumably,assumedly,assumptively,figuratively,figuratively speaking,in a manner,in a way,in seeming,kind of,metaphorically,presumably,presumedly,presumptively,quasi,reputedly,seemingly,so to say,so to speak,sort of,supposably,supposedly,suppositionally,supposititiously,symbolically 1265 - as long as,as,as far as,at which time,being,cause,considering,during which time,for,inasmuch as,just so,seeing,since,so,so as,so long as,so that,the while,when,whereas,while,whilst 1266 - as one,all agreeing,all together,as one man,at a clip,at once,at one time,back to back,by acclamation,cheek by jowl,coactively,coefficiently,coinstantaneously,collectively,combinedly,communally,concertedly,concordantly,concurrently,conjointly,consentaneously,cooperatingly,cooperatively,corporately,hand in glove,hand in hand,harmoniously,in a chorus,in agreement,in chorus,in common,in concert with,in concord,in harmony with,in partnership,in phase,in sync,in unison,inharmony,isochronously,jointly,mutually,nem con,nemine contradicente,nemine dissentiente,on all hands,on the beat,one and all,shoulder to shoulder,simultaneously,synchronously,to a man,together,unanimously,with one accord,with one consent,with one voice,without contradiction 1267 - as the crow flies,dead,dead ahead,direct,directly,due,due north,forthright,in a beeline,in line with,right,straight,straight across,straight ahead,straightforward,straightforwards,straightly,undeviatingly,unswervingly,unveeringly 1268 - as usual,as a rule,as is,as per usual,as things are,as things go,at a stand,at a standstill,chiefly,commonly,consistently,customarily,generally,habitually,mainly,most often,mostly,naturally,normally,normatively,ordinarily,prescriptively,regularly,to be expected,usually,wontedly 1269 - as well,above,ad eundem,additionally,again,all included,also,altogether,among other things,and all,and also,and so,as,au reste,beside,besides,beyond,ceteris paribus,correspondingly,else,en plus,equally,equivalently,evenly,exactly,extra,farther,for lagniappe,further,furthermore,identically,in addition,indifferently,inter alia,into the bargain,item,just,likewise,more,moreover,on the side,on top of,over,over and above,plus,precisely,proportionately,similarly,so,then,therewith,to boot,too,without distinction,yea,yet 1270 - as,ad eundem,after this fashion,along these lines,as an example,as an instance,as long as,as things go,as well,at what price,because,being,being as how,by what mode,by what name,cause,ceteris paribus,considering,correspondingly,equally,equivalently,evenly,exempli gratia,for,for example,for instance,forasmuch as,how,identically,in such wise,in that,in this way,in what way,inasmuch as,indifferently,insofar as,insomuch as,like,now,parce que,proportionately,seeing as how,seeing that,since,so,thus,thus and so,to illustrate,whereas,without distinction 1271 - asbestos,act drop,amianthus,asbestos board,asbestos curtain,backdrop,batten,border,cloth,coulisse,counterweight,curtain,curtain board,cyclorama,decor,drop,drop curtain,earth flax,fire break,fire curtain,fire line,fire resistance,fire retardant,fire wall,fireproofing,flat,flipper,hanging,mountain flax,rag,scene,scenery,screen,side scene,stage screw,tab,tableau,teaser,tormentor,transformation,transformation scene,wing,wingcut,woodcut 1272 - ascend,advance,arise,aspire,back,back up,bank,budge,buss the clouds,cant,careen,chandelle,change,change place,circle,clamber,climb,come up,crest,curl upwards,decline,descend,dip,drop,ebb,escalade,escalate,fall,fall away,fall off,float,flow,gain altitude,get over,get up,go,go around,go downhill,go round,go sideways,go up,go uphill,grade,grow up,gyrate,hoick,incline,keel,lean,levitate,lift,list,loom,mount,move,move over,pitch,plunge,progress,rake,rear,rear up,regress,retreat,retrogress,rise,rise up,rotate,run,scale,scale the heights,scramble,shelve,shift,shin,sidle,sink,slant,slope,soar,spin,spiral,spire,stand on tiptoe,stand up,stir,stream,subside,surge,surmount,swag,swarm up,sway,sweep up,tilt,tip,top,tower,travel,up,upclimb,upgo,upgrow,upheave,uprear,uprise,upspin,upstream,upsurge,upswarm,upwind,wane,whirl,zoom 1273 - ascendancy,Cadmean victory,KO,Pyrrhic victory,accomplishment,ascendance,authority,balance of power,championship,charisma,charm,clout,conquest,consequence,control,credit,deanship,dominance,dominancy,domination,dominion,easy victory,effect,eminence,eminent domain,enchantment,esteem,excellence,favor,force,good feeling,grand slam,greatness,hold,importance,incidental power,incomparability,influence,influentiality,inimitability,insinuation,knockout,landslide,landslide victory,lead,leadership,leverage,magnetism,majority,masterdom,mastery,moment,moral victory,one-upmanship,overlordship,personality,persuasion,picnic,potency,power,precedence,predominance,predominancy,predomination,preeminence,preponderance,prepotence,prepotency,prerogative,pressure,prestige,primacy,principality,priority,privilege,purchase,pushover,reign,repute,right-of-way,rule,runaway victory,say,seniority,skill,sovereignty,suasion,subdual,subduing,subtle influence,success,suggestion,superiority,supremacy,suzerainship,suzerainty,sway,total victory,transcendence,transcendency,triumph,upper hand,victory,virtuosity,walkaway,walkover,weight,whip hand,win,winning,winning streak 1274 - ascendant,a cut above,above,absolute,ahead,anabatic,antecedent,ascendancy,ascending,ascensional,ascensive,at the head,authoritarian,authoritative,authorized,autocratic,better,boss,capping,chief,chosen,climbing,clothed with authority,commanding,competent,conquering,consequential,considerable,controlling,defeating,distinguished,dominance,dominant,domination,dominion,duly constituted,eclipsing,eminent,empowered,ex officio,exceeding,excellent,excelling,finer,flushed with success,forebear,forefather,forerunner,general,governing,great,greater,head,hegemonic,hegemonistic,higher,imperative,important,in ascendancy,in charge,in chief,in the ascendant,influential,leading,leaping,major,marked,master,masterdom,mighty,momentous,monocratic,mounting,of choice,official,on the throne,one up on,outstanding,over,overbearing,overcoming,paramount,potent,powerful,precursor,predecessor,predominant,predominate,preeminence,preeminent,prepollent,preponderance,preponderant,preponderate,prepotence,prepotent,prestigious,prevailing,prevalent,primogenitor,progenitor,prominent,puissant,rampant,ranking,rare,rearing,regnant,regulating,regulative,regulatory,reigning,rising,rivaling,ruling,saltatory,scandent,scansorial,senior,skyrocketing,sovereign,sovereignty,spiraling,springing,substantial,successful,super,superior,supreme,surpassing,swaying,topping,totalitarian,transcendent,transcendental,transcending,triumphal,triumphant,uparching,upcoming,upgoing,upgrade,uphill,uphillward,upper,uprising,upsloping,upward,upwith,vanquishing,victorious,weighty,winning 1275 - ascending,Olympian,acclinate,acclivitous,aerial,airy,altitudinous,anabatic,ascendant,ascensional,ascensive,aspiring,axial,back,back-flowing,backward,climbing,colossal,descending,dominating,down-trending,downward,drifting,elevated,eminent,ethereal,exalted,flowing,fluent,flying,going,gyrational,gyratory,haughty,high,high-pitched,high-reaching,high-set,high-up,in the ascendant,leaping,lofty,monumental,mounting,outtopping,overlooking,overtopping,passing,plunging,progressive,prominent,rampant,rearing,reflowing,refluent,regressive,retrogressive,rising,rotary,rotational,rotatory,running,rushing,saltatory,scandent,scansorial,sideward,sinking,skyrocketing,soaring,spiraling,spiring,springing,steep,streaming,sublime,superlative,supernal,topless,toplofty,topping,towering,towery,up-trending,uparching,upcoming,upgoing,upgrade,uphill,uphillward,uplifted,upreared,uprising,upsloping,upward,upwith 1276 - ascension,anabasis,apotheosis,ascent,assumption,clamber,climb,climbing,elevation,escalade,fountain,gathering,gush,gyring up,increase,jet,jump,leap,levitation,mount,mounting,resurrection,rise,rising,rocketing up,saltation,shooting up,soaring,spout,spring,spurt,surge,takeoff,taking off,the Ascension,the Assumption,translation,upclimb,upcoming,updraft,upgang,upgo,upgoing,upgrade,upgrowth,uphill,upleap,uplift,upping,uprisal,uprise,uprising,uprush,upshoot,upslope,upsurge,upsurgence,upsweep,upswing,vault,zooming 1277 - ascent,Brownian movement,Great Leap Forward,abruptness,access,accession,acclivity,accretion,accrual,accruement,accumulation,addition,advance,advancement,aggrandizement,airiness,amelioration,amendment,amplification,angular motion,apotheosis,appreciation,ascending,ascension,assumption,augmentation,axial motion,backflowing,backing,backward motion,ballooning,beatification,bettering,betterment,bloating,boom,boost,broadening,bubbliness,buildup,buoyancy,canonization,career,climb,climbing,course,crescendo,current,daintiness,deification,delicacy,descending,descent,development,downiness,downward motion,drift,driftage,ebbing,edema,elevation,enhancement,enlargement,enrichment,enshrinement,erection,escalation,ethereality,eugenics,euthenics,exaltation,expansion,extension,flight,floatability,flood,flow,fluffiness,flux,foaminess,forward motion,frothiness,furtherance,gain,gentleness,gossameriness,greatening,growth,gush,headway,height,hike,improvement,increase,increment,inflation,jump,lack of weight,leap,levitation,levity,lift,lifting,lightness,melioration,mend,mending,mounting,multiplication,oblique motion,ongoing,onrush,passage,pickup,plunging,precipitousness,preferment,productiveness,progress,progression,proliferation,promotion,radial motion,raise,raising,random motion,rearing,recovery,reflowing,refluence,reflux,regression,restoration,retrogression,revival,rise,rising,rising ground,run,rush,set,sideward motion,sinking,snowballing,soaring,softness,spread,steepness,sternway,stream,subsiding,surge,sursum corda,swelling,tenderness,traject,trajet,trend,tumescence,unheaviness,up,upbeat,upbuoying,upcast,upclimb,upgo,upgrade,upheaval,uphill,uplift,uplifting,upping,uprearing,uprise,uprising,upsurge,upswing,upthrow,upthrust,uptrend,upturn,upward mobility,upward motion,verticalness,vise,volatility,waxing,weightlessness,widening,yeastiness 1278 - ascertain,afford proof of,appraise,ask,assure,be informed,become acquainted with,bring home to,broaden the mind,catch on,certify,cinch,clear up,clinch,consider,contemplate,cram the mind,decide,demonstrate,determine,discover,dismiss all doubt,ensure,establish,find,find out,find out about,fix,follow,follow from,gain knowledge,get,get at,get hold of,have a case,hear,hold good,hold water,inquire,inspect,insure,interrogate,learn,learn about,load the mind,make a decision,make certain,make good,make no doubt,make no mistake,make out,make sure,make sure of,nail down,observe,pick up information,prove,prove to be,prove true,query,question,reassure,remove all doubt,resolve,see,see that,see to it,set at rest,settle,settle the matter,show,sort out,study,survey,tumble,unearth,view,weigh 1279 - ascertained,actual,appreciated,apprehended,assured,attested,authenticated,borne out,categorically true,certain,certified,circumstantiated,comprehended,conceived,confirmed,corroborated,decided,demonstrated,determinate,determined,discerned,documentary,down pat,effectual,established,factual,fixed,grasped,guaranteed,historical,in the bag,known,made sure,nailed down,not in error,objectively true,on ice,open-and-shut,pat,perceived,prehended,proved,proven,real,realized,recognized,secure,seized,set,settled,shown,stated,substantiated,sure-enough,tested,tried,true,true as gospel,truthful,unconfuted,undenied,understood,undoubted,unerroneous,unfallacious,unfalse,unmistaken,unquestionable,unrefuted,validated,veracious,verified,veritable,warranted 1280 - ascetic,Albigensian,Apostolic,Apostolici,Catharist,Diogenes,Encratic,Encratite,Franciscan,Hieronymian,Hieronymite,Lenten,Pythagorean,Pythagorist,Rechabite,Sabbatarian,Shaker,Spartan,Stoic,Timon of Athens,Trappist,Waldensian,abbacomes,abbot,abstainer,abstemious,abstinent,anchoress,anchorite,anchoritic,apologetic,astringent,atoning,austere,bald,banian,bare,beadsman,bedridden invalid,bhikshu,brother,caloyer,candid,celibate,cenobite,chaste,cleansing,cloistered monk,closet cynic,common,commonplace,compensational,compensatory,continent,conventual,conventual prior,dervish,desert fathers,desert saints,direct,disciplined,dry,dull,dwarfed,dwarfish,eremite,eremitic,exiguous,expiatory,fakir,flagellant,forbearing,frank,friar,frugal,fruitarian,grand prior,gymnosophist,hermit,hermitess,hieromonach,homebody,homely,homespun,hydropot,impoverished,invalid,isolationist,jejune,lay abbot,lay brother,lean,limited,loner,lustral,lustrational,lustrative,marabout,matter-of-fact,meager,mean,mendicant,miserly,monastic,monk,mortified,narrow,natural,neat,nephalist,nephalistic,niggardly,on the wagon,open,outcast,palmer,paltry,pariah,parsimonious,penitential,piacular,pilgrim,pillar saint,pillarist,plain,plain-speaking,plain-spoken,poor,prior,propitiatory,prosaic,prosing,prosy,puny,pure,purgative,purgatorial,purifying,puritan,puritanical,reclamatory,recluse,recompensing,redeeming,redemptive,redressing,religieux,religious,reparative,reparatory,repentant,repenting,restitutional,restitutive,restitutory,restrained,righting,rigoristic,rustic,sannyasi,satisfactional,scant,scanty,schooled,scrawny,scrimp,scrimpy,seclusionist,self-abasing,self-abnegating,self-denying,self-forgetful,selfless,severe,sexually abstinent,shut-in,simple,simple-speaking,skimp,skimpy,slender,slight,slim,small,sober,solitaire,solitary,solitudinarian,spare,sparing,squaring,stark,starvation,stay-at-home,stern,stingy,stinted,straightforward,straitened,stunted,stylite,subsistence,sworn off,teetotal,teetotaler,teetotalist,thin,trained,unadorned,unaffected,unimaginative,unnourishing,unnutritious,unpoetical,unvarnished,vegetarian,water-drinker,watered,watery,wedded to poverty,yogi,yogin 1281 - asceticism,Day of Atonement,Encratism,Friday,Lenten fare,Pythagoreanism,Pythagorism,Rechabitism,Shakerism,Spartan fare,Stoicism,Yom Kippur,abstainment,abstemiousness,abstention,abstinence,avoidance,banyan day,celibacy,chastity,cold purgatorial fires,continence,eschewal,fast,fasting,fish day,flagellation,fruitarianism,gymnosophy,hair shirt,lustration,maceration,mortification,nephalism,penance,penitence,penitential act,penitential exercise,plain living,purgation,purgatory,refraining,refrainment,repentance,sackcloth and ashes,sexual abstinence,simple diet,spare diet,teetotalism,the pledge,total abstinence,vegetarianism 1282 - ascorbic acid,adermin,aneurin,antiberi-beri factor,axerophthol,biotin,carotene,cholecalciferol,choline,cobalamin,cryptoxanthin,cyanocobalamin,ergocalciferol,folic acid,hepatoflavin,inositol,lactoflavin,menadione,naphthoquinone,niacin,nicotinic acid,ovoflavin,pyridoxine,tocopherol,vitamin,vitamin B,vitamin Bc,vitamin D,vitamin G,vitamin H,vitamin K,vitamin M 1283 - ascribable,accountable,alleged,assignable,attributable,attributed,charged,credited,derivable from,derivational,derivative,deserving,due,entitled to,explicable,imputable,imputed,meriting,meritorious,owing,putative,referable,referred to,traceable,worthy of 1284 - ascribe,accredit,adduce,advance,affix,allege,apply,assign,attach,attach to,attribute,charge,cite,conjecture,connect with,credit,fasten,fix,give,guess,impute,lay,pin on,place,put,refer,saddle,surmise 1285 - Ash Wednesday,Advent,Allhallowmas,Allhallows,Allhallowtide,Annunciation,Annunciation Day,Ascension Day,Candlemas,Candlemas Day,Carnival,Christmas,Corpus Christi,Easter,Easter Monday,Easter Saturday,Easter Sunday,Eastertide,Ember days,Epiphany,Good Friday,Halloween,Hallowmas,Holy Thursday,Holy Week,Lady Day,Lammas,Lammas Day,Lammastide,Lent,Lententide,Mardi Gras,Martinmas,Maundy Thursday,Michaelmas,Michaelmas Day,Michaelmastide,Palm Sunday,Pancake Day,Passion Week,Pentecost,Quadragesima,Quadragesima Sunday,Septuagesima,Shrove Tuesday,Trinity Sunday,Twelfth-day,Twelfth-tide,Whit-Tuesday,White Sunday,Whitmonday,Whitsun,Whitsunday,Whitsuntide,Whitweek 1286 - ash,alluvion,alluvium,ashes,brand,calx,carbon,charcoal,cinder,cinders,clinker,clinkers,coal,coals,coke,coom,deposition,deposits,diluvium,draff,dregs,dross,ember,embers,feces,froth,fume,fumes,grounds,lava,lees,loess,moraine,offscum,precipitate,precipitation,reek,scoria,scum,sediment,settlings,silt,sinter,slag,smoke,smudge,smut,soot,sublimate,sullage 1287 - ashamed,abashed,abject,blushing,chagrined,chapfallen,conscience-smitten,conscience-stricken,contrite,crestfallen,crushed,discomfited,embarrassed,full of remorse,hangdog,humbled,humiliated,mean,mortified,out of countenance,penitent,red-faced,regretful,remorseful,repentant,repining,rueful,self-accusing,self-condemning,self-convicting,self-debasing,self-flagellating,self-humiliating,self-punishing,self-reproaching,shamed,shamefaced,shamefast,shameful,sheepish,sorry,unhappy about,wistful 1288 - ashen,Quaker-colored,achromatic,achromic,acier,adust,aghast,anemic,appalled,ashy,astounded,awed,awestricken,awestruck,blanched,bleached,bled white,blistered,bloodless,burned,burnt,burnt-up,cadaverous,canescent,chloranemic,cinereous,cinerous,colorless,consumed,consumed by fire,corpselike,cowed,dapple,dapple-gray,dappled,dappled-gray,dead,deadly pale,deathly pale,decolorized,dim,dimmed,dingy,discolored,dismal,doughy,dove-colored,dove-gray,dreary,dull,dusty,etiolated,exsanguinated,exsanguine,exsanguineous,faded,faint,fallow,flat,frozen,ghastly,ghostly,glaucescent,glaucous,gray,gray with fear,gray-black,gray-brown,gray-colored,gray-drab,gray-green,gray-spotted,gray-toned,gray-white,grayed,grayish,griseous,grizzle,grizzled,grizzly,gutted,haggard,horrified,horror-struck,hueless,hypochromic,incinerated,intimidated,iron-gray,lackluster,lead-gray,leaden,livid,lurid,lusterless,macabre,mat,mealy,mouse-colored,mouse-gray,mousy,muddy,neutral,pale,pale as death,pale-faced,pallid,paralyzed,parched,pasty,pearl,pearl-gray,pearly,petrified,pyrographic,pyrolyzed,sad,sallow,scared stiff,scared to death,scorched,seared,sickly,silver,silver-gray,silvered,silvery,singed,slate-colored,slaty,smoke-gray,smoky,sober,somber,steel-gray,steely,stone-colored,stunned,stupefied,sunburned,tallow-faced,taupe,terrified,terror-crazed,terror-haunted,terror-ridden,terror-riven,terror-shaken,terror-smitten,terror-struck,terror-troubled,toneless,uncolored,undone,unmanned,unnerved,unstrung,wan,washed-out,waxen,weak,whey-faced,white 1289 - ashes,ash,body,bones,brand,cadaver,calx,carbon,carcass,carrion,charcoal,cinder,cinders,clay,clinker,clinkers,coal,coke,coom,corpse,corpus delicti,crowbait,dead body,dead man,dead person,decedent,dross,dry bones,dust,earth,embalmed corpse,food for worms,fume,late lamented,lava,mortal remains,mummification,mummy,organic remains,reek,relics,reliquiae,remains,scoria,skeleton,slag,smoke,smudge,smut,soot,stiff,sullage,tenement of clay,the dead,the deceased,the defunct,the departed,the loved one 1290 - ashram,adytum,body,caste,cell,clan,class,cloister,colony,commonwealth,commune,community,den,economic class,endogamous group,extended family,family,gens,hermitage,hideaway,hideout,hiding place,holy of holies,ivory tower,kinship group,lair,mew,moiety,nuclear family,order,phratria,phratry,phyle,privacy,recess,retreat,sanctum,sanctum sanctorum,secret place,settlement,social class,society,subcaste,totem 1291 - aside from,adrift,apart,apart from,asunder,away from,bar,barring,beside,besides,ex,except,except for,excepting,excluding,exclusive of,in the abstract,in twain,in two,leaving out,let alone,omitting,one by one,outside of,piecemeal,precluding,save,save and except,saving,separately,severally,than,unless,without 1292 - aside,a huis clos,all,apart,askance,askant,askew,aslant,aslope,asquint,away,awry,back,behind closed doors,beside,between the teeth,broadside,broadside on,by,crabwise,discursion,divagation,downgrade,downhill,each,edgeway,edgeways,edgewise,episode,excursion,excursus,glancingly,in a whisper,in an aside,in camera,in chambers,in executive session,in juxtaposition,in privacy,in private,in private conference,in privy,in reserve,infix,injection,insert,insertion,insinuation,intercalation,interjection,interlineation,interlocution,interpolation,introduction,januis clausis,laterad,laterally,monodrama,monologue,monology,nearby,nigh,obiter dictum,obliquely,on its side,on one side,on the beam,on the side,out of earshot,parenthesis,per,per capita,privately,privily,remark,right and left,round,side remark,sideling,sidelong,sideward,sidewards,sideway,sideways,sidewise,sidling,slant,slantingly,slantways,slantwise,slaunchways,slopeways,soliloquy,solo,sotto voce,to one side,to the side,tossing-in,wide apart,wide away,with bated breath 1293 - asinine,Boeotian,absurd,airy,apish,batty,beef-brained,beef-witted,befooled,beguiled,besotted,blockish,bovid,bovine,brainless,buffoonish,caprid,caprine,catchpenny,chumpish,cloddish,cockeyed,cowish,cowlike,crass,crazy,credulous,daffy,daft,dazed,deerlike,dense,dizzy,doltish,doting,dullard,dumb,duncical,duncish,empty,equestrian,equine,fat,fatuitous,fatuous,flaky,flimsy,fond,fool,foolheaded,foolish,fribble,fribbling,frivolous,frothy,fuddled,futile,gaga,goatish,goatlike,goofy,gross,gulled,hircine,hoggish,hoofed,horsy,idiotic,idle,imbecile,inane,ineducable,inept,infatuated,insane,irrational,klutzy,kooky,light,loony,lumpish,mad,maudlin,mindless,moronic,mulish,nugacious,nugatory,nutty,oafish,opaque,otiose,ovine,piggish,puerile,ruminant,sappy,screwy,senseless,sentimental,shallow,sheepish,sheeplike,silly,slender,slight,sottish,stupid,superficial,swinish,thick,thoughtless,trifling,trite,trivial,ungulate,unreasonable,unteachable,unwitty,vacuous,vain,vapid,wacky,weak-minded,wet,windy,witless,wrongheaded 1294 - ask for,abet,aid and abet,angle for,apply for,ask,beat about for,beg leave,bespeak,blackmail,call for,challenge,claim,clamor for,countenance,crave,cry for,delve for,demand,desire,dig for,encourage,exact,extort,feed,file for,fish for,follow,foster,give encouragement,go gunning for,gun for,hunt,hunt for,hunt up,impose,indent,invite,issue an ultimatum,keep in countenance,levy,look,look for,look up,make a demand,make a request,make a requisition,make application,nourish,nurture,order,order up,place an order,prowl after,pursue,put in for,put in requisition,quest,request,require,requisition,screw,search for,see to,seek,seek for,still-hunt,try to find,warn,whistle for,wish 1295 - ask,apply for,argue,ask a question,ask about,ask for,ask questions,assess,be hurting for,be indicated,beg,beg leave,beseech,bespeak,bid,bid come,blackmail,bring into question,call,call for,call in,canvass,catechize,challenge,charge,charge for,claim,clamor for,crave,cry for,cry out for,debate,deliberate,demand,desire,discuss,entreat,exact,examine,extort,file for,have occasion for,implore,importune,impose,indent,inquire,inquire of,interpellate,interrogate,invite,issue an invitation,issue an ultimatum,levy,make a demand,make a request,make a requisition,make application,make dutiable,make inquiry,necessitate,need,order,order up,place an order,prerequire,pro rata,propose a question,propound a question,prorate,put in for,put in requisition,put queries,query,question,quiz,request,require,require an answer,requisition,review,screw,seek,solicit,stick for,summon,take,take doing,talk over,tax,tithe,want,want doing,want to know,warn,whistle for,wish 1296 - askance,aside,askant,askew,asquint,awry,broadside,broadside on,cam,captiously,censoriously,cock-a-hoop,cockeyed,crabwise,critically,crookedly,cynically,disapprovingly,distrustfully,doubtfully,doubtingly,edgeway,edgeways,edgewise,glancingly,laterad,laterally,on its side,on the beam,reproachfully,right and left,sideling,sidelong,sideward,sidewards,sideway,sideways,sidewise,sidling,skeptically,suspiciously,unfavorably 1297 - askew,aberrant,abroad,adrift,agee,agee-jawed,all abroad,all off,all wrong,amiss,anamorphous,askance,askant,askewgee,asquint,astray,asymmetric,at fault,awry,bent,beside the mark,bowed,cam,catawampous,catawamptious,contorted,convulsed,corrupt,crazy,crooked,crookedly,crumpled,crunched,deceptive,defective,delusive,deranged,deviant,deviational,deviative,disarranged,discomfited,discomposed,disconcerted,dislocated,disordered,disorderly,disorganized,distorted,disturbed,errant,erring,erroneous,fallacious,false,faultful,faulty,flawed,haywire,heretical,heterodox,illogical,illusory,in disorder,irregular,labyrinthine,lopsided,misplaced,nonsymmetric,not right,not true,off,off the track,on the fritz,one-sided,out,out of gear,out of joint,out of kelter,out of kilter,out of order,out of place,out of tune,out of whack,peccant,perturbed,perverse,perverted,roily,self-contradictory,shuffled,skew,skew-jawed,skewed,slaunchways,sprung,squinting,straying,tortuous,turbid,turbulent,twisted,unfactual,unorthodox,unproved,unsettled,unsymmetric,untrue,upset,wamper-jawed,warped,wide,wrong,wry,yaw-ways 1298 - asking price,advance,approach,bargain price,bearish prices,bid,bid price,book value,bullish prices,call price,cash price,closing price,controlled price,current price,current quotation,cut price,decline,face value,feeler,fixed price,flash price,flat rate,flurry,flutter,going price,high,invitation,issue par,issue price,list price,low,market price,market value,neat price,net,nominal value,offer,offering,offering price,opening price,overture,package price,par,par value,parity,piece price,preliminary approach,presentation,price,price list,prices current,proffer,put price,quotation,quoted price,rally,recommended price,selling price,settling price,stated value,stock market quotations,submission,swings,tentative approach,trade price,unit price,wholesale price 1299 - asleep,a stranger to,anesthetized,asleep in Jesus,at rest,benumbed,bereft of life,blind to,breathless,called home,callous,carrion,cataleptic,catatonic,caught napping,cold,comatose,croaked,dead,dead and gone,dead asleep,dead to,deadened,deaf to,death-struck,deceased,deep asleep,defunct,demised,departed,departed this life,destitute of life,done for,doped,dormant,drugged,dull,exanimate,fallen,fast asleep,finished,flaked-out,food for worms,gone,gone to glory,gone west,goofing off,half-conscious,idle,impassible,imperceptive,impercipient,in ignorance of,inanimate,incautious,incognizant,inert,insensate,insensible,insensible to,insensitive,insentient,late,late lamented,launched into eternity,lifeless,martyred,mindless,napping,narcotized,nirvanic,no more,nodding,nonconceiving,not with it,numb,numbed,obdurate,oblivious,obtuse,off-guard,out,out cold,out of it,passed on,passive,pushing up daisies,quiet,released,reposing,resting easy,sainted,semiconscious,senseless,sleeping,sleepy,slumbering,smitten with death,sound asleep,spaced out,still,stillborn,stoned,strung out,taken away,taken off,thick-skinned,thick-witted,unalert,unanimated,unaware,unaware of,uncautious,unconscious,unconscious of,unfeeling,unfelt,unguarded,unhearing,uninsightful,unknowing,unmindful,unmindful of,unperceiving,unperceptive,unprehensive,unprepared,unready,unrealizing,unseeing,unsuspecting,unvigilant,unwary,unwatchful,unwitting,with the Lord,with the saints,without life,without vital functions,witless,zonked,zonked out 1300 - aspect,adjunct,air,angle,appurtenance,article,astrodiagnosis,astrology,astromancy,attitude,attribute,azimuth,bearing,bearings,case,celestial navigation,characteristic,circumstance,complexion,component,configuration,constituent,contents,count,countenance,datum,dead reckoning,desiderative,detail,effect,eidolon,element,exposure,face,facet,fact,factor,fashion,feature,figure,fix,fixings,form,frequentative,frontage,genethliac astrology,genethliacism,genethliacs,genethlialogy,gestalt,guise,hand,horoscope,horoscopy,house,image,imago,imperfective,impression,inchoative,incidental,ingredient,instance,integrant,interpretation,item,iterative,lay,lie,light,likeness,line of position,lineaments,look,makings,manifestation,manner,mansion,matter,mien,minor detail,minutia,minutiae,mundane astrology,mundane house,nativity,natural astrology,orientation,outlook,part,part and parcel,particular,perfective,phase,phasis,pilotage,planetary house,point,point of view,port,position,position line,presence,prospect,quality,radio bearing,reference,regard,respect,seeming,semblance,set,shape,side,simulacrum,slant,specialty,standpoint,stargazing,style,thing,total effect,twist,view,viewpoint,visage,wise,zodiac 1301 - aspen,chattering,palsied,quaking,quavering,quavery,quivering,quivery,shaking,shaky,shivering,shivery,shuddering,succussatory,succussive,trembling,trembly,tremulous,vibrating,wobbly 1302 - asperity,acerbity,acid,acidity,acidness,acidulousness,acridity,acrimony,anger,animosity,astringency,austerity,bad humor,bad temper,bile,biliousness,bitingness,bitter resentment,bitterness,bitterness of spirit,bumpiness,causticity,causticness,choler,choppiness,corrosiveness,cragginess,cuttingness,discontent,edge,gall,gnashing of teeth,granulation,grimness,hard feelings,hardness,hardship,harshness,heartburning,hispidity,ill humor,ill nature,ill temper,incisiveness,inclemency,inequality,irregularity,irritability,jaggedness,joltiness,keenness,mordacity,mordancy,nonuniformity,piercingness,piquancy,poignancy,pungency,raggedness,rancor,rankling,rigor,rough air,roughness,ruggedness,rugosity,scraggliness,severity,sharpness,slow burn,snappishness,soreness,sourness,spleen,stabbingness,stringency,tartness,tooth,trenchancy,turbulence,unevenness,unsmoothness,ununiformity,vicissitude,virulence,waspishness 1303 - asperse,affront,calumniate,christen,defame,denigrate,deride,immerse,insult,libel,mock,offend,scandal,scandalize,slander,slur,sprinkle,taunt,traduce 1304 - aspersion,abuse,adverse criticism,affront,affusion,agape,allegation,animadversion,aspergation,asperges,atrocity,auricular confession,backbiting,bad notices,bad press,baptism,baptismal gown,baptismal regeneration,baptistery,baptizement,bar mitzvah,bas mitzvah,brickbat,calumny,captiousness,carping,cavil,caviling,celebration,censoriousness,chrismal,christening,circumcision,confession,confirmation,contempt,contumely,criticism,cut,defamation,despite,detraction,disparagement,dump,enormity,exception,faultfinding,flak,flout,flouting,font,gibe,hairsplitting,high celebration,hit,home thrust,hostile criticism,humiliation,hypercriticalness,hypercriticism,immersion,imputation,incense,indignity,infusion,injury,innuendo,insinuation,insult,invective,invocation,invocation of saints,jeer,jeering,kiss of peace,knock,lampoon,lesser litany,libel,litany,love feast,lustration,mock,mockery,muck,nagging,niggle,niggling,nit,nit-picking,obloquy,offense,outrage,overcriticalness,pasquinade,pax,personal remark,personality,pestering,pettifogging,priggishness,processional,put-down,quibble,quibbling,rap,reciting the rosary,reflection,reproachfulness,scandal,scoff,scurrility,skit,slam,slander,slur,sly suggestion,sprinkling,squib,stricture,suggestion,swipe,taking exception,taunt,telling of beads,the confessional,the confessionary,total immersion,trichoschistism,uncomplimentary remark,vituperation,whispering campaign 1305 - asphalt,Formica,Masonite,Tarmac,Tarvia,alabaster,amphibole,antimony,apatite,aplite,arsenic,asbestos,azurite,bauxite,bitumen,bituminous macadam,blacktop,boron,brick,brimstone,bromine,brucite,calcite,canvas,carbon,carpeting,celestite,cement,chalcedony,chlorite,chromite,clapboard,clay,coal,cobble,cobblestone,coke,concrete,cork tile,corundum,cryolite,curb,curbing,curbstone,diatomite,edgestone,emery,epidote,epsomite,feldspar,fiber glass,flag,flagging,flagstone,flooring,garnet,glauconite,graphite,gravel,gypsum,hatchettine,holosiderite,iron pyrites,jet,kerb,kerbstone,kyanite,lignite,lime,linoleum,macadam,magnesite,malachite,maltha,marcasite,marl,meerschaum,mica,mineral coal,mineral oil,mineral salt,mineral tallow,mineral tar,mineral wax,molybdenite,monazite,obsidian,olivine,ozokerite,pantile,paper,parquet,pavement,pavestone,paving,paving stone,peat,perlite,phosphate rock,phosphorus,plasterboard,plywood,pumice,pyrite,pyrites,pyroxene,quartz,realgar,red clay,rhodonite,road metal,rock crystal,rocks,roofage,roofing,roofing paper,salt,selenite,selenium,shake,sheathing board,sheeting,shingle,siderite,siding,silica,silicate,silicon,slate,spar,spinel,spodumene,spun glass,stone,sulfur,talc,talcum,tar paper,tarmacadam,tellurium,thatch,tile,tilestone,tiling,veneer,wainscoting,wallboard,walling,wallpaper,washboard,weatherboard,wollastonite,wood,wulfenite,zeolite 1306 - asphyxiate,OD,be killed,bottle up,burke,censor,choke,choke off,clamp down on,cork,cork up,crack down on,crush,damp down,drown,extinguish,famish,gag,garrote,hold down,jump on,keep down,keep under,kill,muzzle,pour water on,put down,quash,quell,quench,repress,shut down on,silence,sit down on,sit on,smash,smother,squash,squelch,stanch,starve,stifle,stop the breath,strangle,stultify,subdue,suffocate,suppress,throttle 1307 - asphyxiation,abscess,ague,anemia,ankylosis,anoxia,apnea,asphyxia,asthma,ataxia,atrophy,backache,bleeding,blennorhea,burking,cachexia,cachexy,chill,chills,choke,choking,colic,constipation,convulsion,coughing,cyanosis,diarrhea,dizziness,dropsy,drowning,dysentery,dyspepsia,dyspnea,edema,emaciation,fainting,fatigue,fever,fibrillation,flux,garrote,growth,hemorrhage,high blood pressure,hydrops,hypertension,hypotension,icterus,indigestion,inflammation,insomnia,itching,jaundice,killing,labored breathing,liver death,low blood pressure,lumbago,marasmus,megadeath,nasal discharge,nausea,necrosis,pain,paralysis,pruritus,rash,rheum,sclerosis,seizure,serum death,shock,skin eruption,smotheration,smothering,sneezing,sore,spasm,starvation,stifling,strangling,strangulation,suffocation,tabes,tachycardia,throttling,tumor,upset stomach,vertigo,violent death,vomiting,wasting,watery grave 1308 - aspic,Caesar salad,Jell-O salad,Waldorf salad,ambrosia,barbecue,boiled meat,bouilli,chef salad,civet,cole slaw,combination salad,crab Louis,flesh,forcemeat,fruit salad,game,green salad,hachis,hash,herring salad,jerky,joint,jugged hare,macaroni salad,meat,menue viande,mince,pemmican,pot roast,potato salad,roast,salad,salade,salmagundi,sausage meat,scrapple,slaw,tossed salad,venison,viande 1309 - aspirant,Leibnizian optimist,Pollyanna,addict,also-ran,applicant,aspirer,baby kisser,bidder,candidate,chiliast,claimant,collector,coveter,dark horse,defeated candidate,desirer,devotee,dud,fancier,favorite son,freak,hankerer,hopeful,hoper,irrepressible optimist,lame duck,lover,millenarian,millennialist,millennian,office seeker,optimist,perfectibilist,perfectibilitarian,perfectionist,petitioner,philosophical optimist,political hopeful,postulant,presidential timber,ray of sunshine,running mate,seeker,solicitant,solicitor,stalking-horse,suitor,suppliant,supplicant,utopian,votary,wanter,wisher,yearner 1310 - aspirate,breathe,breathe in,coo,draw in,inhale,inspire,maffle,mumble,murmur,mussitate,mutter,sigh,slurp,sniff,sniffle,snuff,snuff in,snuffle,suck,suck in,suckle,susurrate,whisper 1311 - aspiration,Aqua-Lung,aim,allophone,alveolar,ambition,ambitiousness,animus,apico-alveolar,apico-dental,articulation,artificial respiration,assimilation,assumption,assurance,assured faith,asthmatic wheeze,basis,bated breath,bilabial,bleeding,bloodletting,breath,breath of air,breathing,breathy voice,broaching,broken wind,cacuminal,calling,cause,cerebral,check,cheerful expectation,confidence,consideration,consonant,continuant,conviction,cough,counsel,craving,cupping,dental,dependence,desideration,desideratum,design,desire,determination,diphthong,direction,dissimilation,doomed hope,drafting,drainage,draining,drawing,dream,effect,emptying,epenthetic vowel,exhalation,expectation,expiration,explosive,exsufflation,fair prospect,faith,fervent hope,fixed purpose,function,gasp,glide,glottal,glottalization,goal,good cheer,good hope,great expectations,ground,guiding light,guiding star,gulp,guttural,hack,hankering,hiccup,high goal,high hopes,hope,hopeful prognosis,hopefulness,hopes,hoping,hoping against hope,idea,ideal,idealism,ideals,inhalation,inhalator,inhalement,inspiration,insufflation,intendment,intent,intention,iron lung,labial,labialization,labiodental,labiovelar,laryngeal,lateral,lingual,liquid,little voice,lodestar,longing,low voice,lust,mainspring,manner of articulation,matter,meaning,milking,mind,modification,monophthong,morphophoneme,motive,mouth-to-mouth resuscitation,mumble,mumbling,murmur,murmuration,murmuring,mute,mutter,muttering,nasal,nisus,objective,occlusive,oxygen mask,oxygen tent,palatal,pant,parasitic vowel,passion,peak,pharyngeal,pharyngealization,phlebotomy,phone,phoneme,pipetting,plan,plosive,plot,point,prayerful hope,presumption,pretension,principle,project,promise,proposal,prospect,prospects,prospectus,prothetic vowel,puff,pumping,purpose,reaching high,reason,reliance,resolution,resolve,respiration,retroflex,sake,sanguine expectation,scheme,score,scuba,security,segmental phoneme,semivowel,sigh,siphoning,sneeze,sniff,sniffle,snore,snoring,snuff,snuffle,soft voice,sonant,sonority,source,speech sound,spring,stage whisper,sternutation,stertor,still small voice,stop,striving,study,suck,sucking,suction,surd,suspiration,susurration,susurrus,syllabic nucleus,syllabic peak,syllable,tapping,transition sound,triphthong,trust,ulterior motive,underbreath,undertone,upward looking,urge,velar,venesection,view,vocable,vocalic,vocation,vocoid,voice,voiced sound,voiceless sound,voicing,vowel,well-grounded hope,wheeze,whisper,whispering,will,wind,wish,yearning 1312 - aspire,aim,aim at,aim high,aspire after,aspire to,bank on,be after,be ambitious,become airborne,claw skyward,confide,count on,covet,crave,crave after,crawl after,design,desire,destine,determine,dream of,drive at,expect,feel confident,float,fly,fly aloft,gain altitude,go for,hang,hanker after,harbor a design,harbor the hope,have every intention,hope,hope against hope,hope and pray,hope for,hope in,hope to God,hover,hunger after,intend,kite,lean upon,leave the ground,live in hopes,long,lust after,mean,nurture the hope,pant,pant after,plan,plane,poise,presume,project,propose,purport,purpose,rely on,resolve,rest assured,run mad after,seek,soar,spire,take off,think,thirst after,trust,try to reach,wish,yearn,zoom 1313 - aspiring,Olympian,aerial,airy,altitudinous,ambitious,ascending,assured,careerist,careeristic,colossal,confident,dominating,elevated,eminent,ethereal,exalted,expectant,fond,full of hope,haughty,high,high-flying,high-pitched,high-reaching,high-set,high-up,hopeful,hoping,in good heart,in hopes,lofty,monumental,mounting,of good cheer,of good hope,on the make,outtopping,overlooking,overtopping,power-hungry,prominent,sanguine,sky-aspiring,soaring,social-climbing,spiring,steep,sublime,superlative,supernal,topless,toplofty,topping,towering,towery,undespairing,uplifted,upreared 1314 - ass backwards,a rebours,a reculons,against the grain,anarchic,anticlockwise,arear,arsy-varsy,astern,away,awkwardly,back,backward,backwards,balled up,bitched,bitched up,blunderingly,bollixed up,buggered,buggered up,bunglingly,chaotic,clumsily,confused,counterclockwise,cumbersomely,fouled up,fro,galley-west,gracelessly,gummed up,hashed up,helter-skelter,higgledy-piggledy,hindward,hindwards,hugger-mugger,hulkily,in a mess,in reverse,inelegantly,jumbled,loused up,maladroitly,messed up,mixed up,mucked up,muddled,ponderously,rearward,rearwards,retrad,scattered,screwed up,skimble-skamble,snafu,topsy-turvy,uncouthly,ungracefully,unhandily,upside-down,widdershins 1315 - ass,Rocky Mountain canary,Siberian husky,act of love,adultery,aphrodisia,arse,balling,beast of burden,bigot,bitter-ender,born fool,buffoon,bullethead,bum,burro,camel,can,carnal knowledge,cheeks,climax,clown,cohabitation,coition,coitus,coitus interruptus,commerce,congress,connection,coupling,cuddy,dickey,diddling,diehard,dogmatist,donkey,doodle,draft animal,dromedary,egregious ass,elephant,fanatic,fanny,figure of fun,fool,fornication,hardnose,horse,hot number,husky,ignoramus,intercourse,intimacy,intransigeant,intransigent,jack,jackass,jennet,jenny,jenny ass,keister,last-ditcher,llama,lovemaking,lunatic,making it with,malamute,marital relations,marriage act,mating,maverick,meat,milksop,mooncalf,mule,neddy,onanism,orgasm,ovum,ox,pack horse,pareunia,perfect fool,perverse fool,piece,piece of ass,piece of meat,pighead,positivist,prat,procreation,purist,reindeer,relations,rusty-dusty,schmuck,screwing,sex,sex act,sex goddess,sex object,sex queen,sexual climax,sexual commerce,sexual congress,sexual intercourse,sexual relations,sexual union,sledge dog,sleeping with,softhead,sop,sperm,standpat,standpatter,stern,stickler,stud,stupid ass,sumpter,sumpter horse,sumpter mule,tail,tomfool,tuchis,tush,tushy,venery,zany 1316 - assail,ambush,assault,attack,blister,blitz,bushwhack,castigate,censure,come at,come down on,crack down on,criminate,cry out against,cry out on,cry shame upon,descend on,descend upon,excoriate,fall on,fall upon,flay,fustigate,gang up on,go at,go for,harry,have at,hit,hit like lightning,implicate,impugn,incriminate,inculpate,involve,jump,land on,lash,lay at,lay hands on,lay into,light into,mug,pitch into,pounce upon,pound,roast,sail into,scarify,scathe,scorch,set on,set upon,skin alive,slash,strike,surprise,swoop down on,take the offensive,trounce,wade into 1317 - assailant,adversary,aggressor,antagonist,assailer,assaulter,attacker,combatant,enemy,foe,foeman,invader,mugger,opponent,opposing party,opposite camp,raider,the loyal opposition,the opposition 1318 - assassin,Cain,alarmist,apache,assassinator,bloodletter,bloodshedder,bomber,bravo,burker,butcher,button man,cannibal,cutthroat,desperado,eradicator,executioner,exterminator,garroter,gorilla,gun,gunman,gunsel,hatchet man,head-hunter,hit man,homicidal maniac,homicide,killer,man-eater,man-killer,manslayer,massacrer,matador,murderer,pesticide,poison,poisoner,scaremonger,slaughterer,slayer,strangler,terrorist,thug,torpedo,trigger man 1319 - assault,abuse,aggravated assault,aggression,ambush,amphibious attack,armed assault,assail,assailing,assailment,attack,banzai attack,barbarize,batter,battering,battery,bear,bear upon,beat up,beating,berating,beset,bitter words,blackening,blitz,blitzkrieg,boost,breakthrough,bruise,brutalize,buck,bull,bulldoze,bump,bump against,bunt,burn,bushwhack,butcher,butchery,butt,butt against,carry on,censure,charge,citation,come at,come down on,contumely,counterattack,counteroffensive,coup de main,crack down on,cram,crippling attack,crowd,dead set at,descend on,descend upon,descent on,destroy,diatribe,dig,disorderliness,diversion,diversionary attack,drive,elbow,execration,fall on,fall upon,flank attack,force,forcible seizure,frontal attack,gang up on,gas attack,go at,go for,go on,goad,hammer,hard words,harm,harry,have at,head-on attack,hit,hit like lightning,hold-up,hurtle,hustle,implication,impugnment,incrimination,inculpation,incursion,infiltration,invasion,invective,involvement,jab,jam,jawing,jeremiad,jog,joggle,jolt,jostle,jump,killing,land on,lay at,lay hands on,lay into,lay waste,laying waste,light into,lightning attack,lightning war,loot,looting,mass attack,massacre,maul,megadeath,molest,molestation,mug,mugging,nudge,obstreperousness,offense,offensive,onset,onslaught,overkill,panzer warfare,philippic,pile drive,pillage,pillaging,pitch into,poke,pounce upon,pound,press,prod,punch,push,rage,raid,ram,ram down,ramp,rampage,rant,rape,rating,rattle,rave,revilement,riot,rioting,roar,ruin,run,run against,run at,rush,sack,sacking,sail into,sally,savage,screed,set on,set upon,shake,shock tactics,shoulder,shove,slaughter,smite,sortie,sow chaos,sowing with salt,storm,stress,strike,surprise,swoop down on,take the offensive,tamp,tear,tear around,terrorize,thrust,tirade,tongue-lashing,unprovoked assault,unruliness,vandalize,vilification,violate,violation,vituperation,wade into,wreck 1320 - assay,acid test,analysis,analyzation,analyze,anatomize,anatomizing,anatomy,appraise,appreciate,approach,assaying,assess,attempt,bid,blank determination,break down,break up,breakdown,breaking down,breaking up,breakup,bring to test,brouillon,calculate,calibrate,caliper,chance,check a parameter,compute,confirm,crack,criterion,crucial test,crucible,cut and try,determination,dial,dissect,dissection,divide,division,docimasy,effort,endeavor,engage,essay,estimate,evaluate,experiment,fathom,feeling out,first draft,fling,gambit,gauge,give a try,give a tryout,go,graduate,gravimetric analysis,have a go,kiteflying,lick,lift a finger,make an attempt,make an effort,measure,mensurate,mete,meter,move,offer,ordeal,pace,play around with,plumb,practice upon,prize,probation,probe,proof,prove,proximate analysis,put to trial,quantify,quantitative analysis,quantize,rate,reduce,reduce to elements,reduction to elements,research,resolution,resolve,road-test,rough draft,rough sketch,run a sample,sample,segment,segmentation,semimicroanalysis,separate,separation,shake down,shot,size,size up,sound,sounding out,span,stab,standard,step,stroke,strong bid,subdivide,subdivision,substantiate,survey,take a reading,taste,tentative,test,test case,touchstone,trial,trial and error,triangulate,try,try it on,try out,undertake,undertaking,validate,valuate,value,venture,venture on,venture upon,verification,verify,weigh,whack 1321 - assemblage,A to Z,A to izzard,Bund,Rochdale cooperative,aggregate,all,all and sundry,all sorts,alliance,alpha and omega,assembly,assembly line,assembly-line production,association,assortment,axis,band,be-all,be-all and end-all,beginning and end,bloc,body,broad spectrum,building,buildup,coalition,college,combination,combine,common market,complement,composition,compound,confederacy,confederation,conglomeration,constitution,construction,consumer cooperative,cooperative,cooperative society,corps,council,credit union,customs union,each and every,economic community,embodiment,everything,fabrication,fashioning,federation,formation,free trade area,gallimaufry,gang,getup,group,grouping,hash,hodgepodge,hotchpot,hotchpotch,incorporation,jumble,junction,league,length and breadth,machine,magpie,make,makeup,mash,medley,melange,mess,mingle-mangle,miscellany,mishmash,mix,mixed bag,mixture,mob,odds and ends,olio,olla podrida,omnium-gatherum,one and all,organization,package,package deal,partnership,pasticcio,pastiche,patchwork,piecing together,political machine,potpourri,production line,putting together,ring,salad,salmagundi,sauce,scramble,set,setup,shaping,society,stew,structure,structuring,syneresis,synthesis,the corpus,the ensemble,the entirety,the lot,the whole,the whole range,union,what you will 1322 - assemble,accouple,accumulate,agglomerate,agglutinate,aggregate,aggroup,amass,articulate,associate,band,batch,bond,bracket,bridge,bridge over,bring together,build,build up,bulk,bunch,bunch together,bunch up,carve,cast,cement,chain,chase,chisel,clap together,clot,clump,cluster,collect,colligate,collocate,combine,come together,compare,compile,compose,compound,comprise,concatenate,concoct,conglobulate,conglomerate,congregate,conjoin,conjugate,connect,consist of,constitute,construct,convene,converge,convoke,copulate,corral,couple,cover,create,crowd,cull,cumulate,cut,date,devise,dig up,draw together,dredge up,drive together,elaborate,embody,embrace,encompass,engrave,enter into,erect,evolve,extrude,fabricate,fashion,flock together,flow together,forgather,form,formulate,found,frame,fudge together,fuse,gang around,gang up,gather,gather around,gather in,gather together,get in,get together,get up,glean,glue,go into,grave,group,grub,grub up,herd together,hive,horde,huddle,include,incorporate,indite,insculpture,join,join together,juxtapose,knot,lay together,league,levy,link,lump together,make,make up,manufacture,marry,marshal,mass,match,mature,meet,merge,merge in,mill,mix,mobilize,model,mold,muster,organize,pair,partner,patch together,pick,pick up,piece together,pluck,prefabricate,prepare,produce,put together,put up,raise,rake up,rally,rally around,rear,rendezvous,roll into one,round up,run up,scare up,scrape together,scrape up,sculp,sculpt,sculpture,seethe,set up,shape,solder,span,splice,stick together,stream,structure,summon,surge,swarm,synthesize,take in,take up,tape,throng,tie,unify,unite,unite in,weld,whip in,whomp up,write,yoke 1323 - assembled,accumulated,agglomerate,aggregate,allied,amassed,associated,banded together,bound,bracketed,built,bunched,bundled,cast,clumped,clustered,collected,combined,conglomerate,congregate,congregated,conjoined,connected,constructed,copulate,coupled,crafted,created,cumulate,custom,custom-built,custom-made,extracted,fabricated,fascicled,fasciculated,fashioned,forged,formed,gathered,glomerate,grown,hand-in-glove,hand-in-hand,handcrafted,handmade,harvested,heaped,homemade,homespun,in session,incorporated,integrated,intimate,joined,joint,knotted,leagued,linked,lumped,machine-made,machined,made,made to order,man-made,manufactured,massed,matched,mated,meeting,merged,milled,mined,molded,packaged,paired,piled,prefab,prefabricated,processed,put together,raised,ready-for-wear,ready-formed,ready-made,ready-prepared,ready-to-wear,refined,shaped,smelted,spliced,stacked,tied,undivided,united,unseparated,wedded,well-built,well-constructed,well-made,wrapped up,yoked 1324 - assembly line,armory,arsenal,assemblage,assembly,assembly plant,assembly-line production,atomic energy plant,bindery,boatyard,boilery,bookbindery,brewery,brickyard,cannery,creamery,dairy,defense plant,distillery,division of labor,dockyard,factory,factory belt,factory district,feeder plant,flour mill,industrial park,industrial zone,industrialization,main plant,manufactory,manufacturing plant,manufacturing quarter,mass production,mill,mint,modular production,munitions plant,oil refinery,packing house,plant,pottery,power plant,production line,push-button plant,refinery,sawmill,shipyard,standardization,subassembly plant,sugar refinery,tannery,volume production,winery,yard,yards 1325 - assembly,British Cabinet,Sanhedrin,US Cabinet,advisory body,architecture,assemblage,assemblee,assembly line,assembly-line production,assignation,association,at home,ball,bench,bicameral legislature,board,board of aldermen,body,body of advisers,borough council,brain trust,brawl,brethren,building,buildup,cabinet,call-up,camarilla,canvass,casting,caucus,census,chamber,chamber of deputies,churchgoers,circle,city board,city council,class,collection,colligation,collocation,colloquium,combination,commission,committee,common council,company,comparison,composition,compound,conclave,concourse,concurrence,conference,confluence,conflux,congregation,congress,connection,constitution,construction,consultative assembly,conventicle,convention,convergence,conversion,convocation,corralling,council,council fire,council of ministers,council of state,council of war,county council,court,crafting,craftsmanship,creation,crowd,cultivation,dance,data-gathering,date,deliberative assembly,devising,diet,directory,divan,eisteddfod,elaboration,embodiment,erection,extraction,fabrication,fashioning,federal assembly,festivity,fete,flock,fold,forgathering,formation,forming,formulation,forum,framing,gathering,general assembly,get-together,getup,group,growing,handicraft,handiwork,harvesting,horde,host,house of assembly,housewarming,incorporation,ingathering,inventory,junction,junta,juxtaposition,kitchen cabinet,laity,laymen,legislative assembly,legislative body,legislative chamber,legislature,levee,lower chamber,lower house,machining,make,makeup,making,manufacture,manufacturing,meet,meeting,milling,mining,minyan,mixture,mobilization,molding,multitude,muster,national assembly,nonclerics,nonordained persons,organization,panel,parish,parish council,parishioners,parliament,party,people,piecing together,plenum,prefabrication,preparation,privy council,processing,producing,production line,prom,provincial legislature,provincial parliament,putting together,quorum,raising,rally,reception,refining,rendezvous,representative town meeting,rodeo,roundup,seance,seculars,session,set-up,setup,shaping,sheep,shindig,sit-in,sitting,smelting,society,soiree,soviet,staff,state assembly,state legislature,structure,structuring,survey,symposium,syndicate,syneresis,synod,synthesis,throng,town meeting,tribunal,turnout,unicameral legislature,upper chamber,upper house,workmanship 1326 - assemblyman,MP,Member of Congress,Member of Parliament,alderman,chosen freeholder,city father,congressman,congresswoman,councilman,floor leader,lawgiver,lawmaker,legislator,majority leader,minority leader,party whip,representative,senator,solon,state senator,whip 1327 - assent,OK,abide by,accede,accede to,accept,acceptance,acclaim,accord,accord to,accordance,acquiesce,acquiesce in,acquiescence,affinity,affirmation,affirmative,affirmative voice,agree,agree to,agree with,agreement,answer to,applaud,approbation,approval,approve,approve of,assort with,aye,be agreeable,be consistent,be of one,be uniform with,be willing,blessing,buy,check,cheer,chime,chorus,cohere,coherence,coincide,coincidence,compatibility,complaisance,compliance,comply,concert,concord,concordance,concur,condescend,conform,conform with,conformance,conformation,conformity,congeniality,congruence,congruency,congruity,connivance,connive at,consent,consent to silently,consist with,consistency,consonance,consort,cooperate,cooperation,correspond,correspondence,deference,deign,dovetail,eagerness,endorse,endorsement,equivalence,face the music,fall in together,fit together,give consent,give the nod,go along with,go together,go with,grant,hail,hang together,harmonize,harmony,have no objection,hit,hold together,hold with,homage,in toto,interlock,intersect,intersection,jibe,kneeling,knock under,knuckle down,knuckle under,live with it,lock,match,nod,nod assent,nonopposal,nonopposition,nonresistance,not refuse,not resist,obedience,obeisance,obey,okay,oneness,overlap,parallel,parallelism,passiveness,passivity,peace,permission,permit,promptitude,promptness,rapport,ratification,ratify,readiness,receive,register,register with,relent,resign,resignation,resignedness,respond to,sanction,say aye,say yes,self-consistency,sing in chorus,sort with,square,square with,stand together,subjection,submission,submit,submittal,subscribe to,succumb,supineness,swallow it,swallow the pill,symmetry,sync,synchronism,take,take it,take kindly to,tally,timing,ungrudgingness,uniformity,union,unison,unisonance,unloathness,unreluctance,vote affirmatively,vote aye,vote for,welcome,willingness,wink at,yes,yield assent,yielding 1328 - assenting,abject,accepting,accordant,acquiescent,acquiescing,affirmative,agreeable,agreed,agreeing,approving,assentatious,complaisant,compliable,compliant,complying,conceding,concessive,consentient,consenting,content,eager,endorsing,favorable,nondissenting,nonresistant,nonresisting,nonresistive,nothing loath,obedient,passive,permissive,prompt,ratifying,ready,resigned,sanctioning,servile,submissive,subservient,supine,unassertive,uncomplaining,ungrudging,unloath,unrefusing,unreluctant,unresistant,unresisting,willing 1329 - assert,advance,advocate,affirm,allege,allege in support,announce,annunciate,answer,argue,argue for,assever,asseverate,aver,avouch,avow,brook no denial,champion,confess,contend,contend for,counter,declare,defend,enunciate,espouse,express,express the belief,have,hold,insist,insist on,insist upon,issue a manifesto,lay down,maintain,make a plea,manifesto,nuncupate,persist,plead for,pose,posit,postulate,predicate,press,proclaim,profess,pronounce,propose,propound,protest,put,put it,quote,rebut,recite,refute,relate,reply,respond,riposte,say,say in defense,set down,set forth,speak,speak for,speak out,speak up,speak up for,stand for,stand on,stand up for,state,stick to,stick up for,submit,support,sustain,swear,take no denial,uphold,urge,urge reasons for,vow,warrant 1330 - assertion,Parthian shot,a priori principle,address,admission,affidavit,affirmance,affirmation,allegation,announcement,annunciation,answer,apostrophe,apriorism,asseveration,assumed position,assumption,attest,attestation,averment,avouchment,avowal,axiom,basis,categorical proposition,comment,compurgation,conclusion,confirmation,contention,crack,creed,data,declaration,deposition,dictum,disclosure,enunciation,exclamation,expression,first principles,foundation,greeting,ground,hypothesis,hypothesis ad hoc,insistence,instrument in proof,interjection,ipse dixit,legal evidence,lemma,major premise,manifesto,mention,minor premise,note,observation,philosopheme,philosophical proposition,phrase,position,position paper,positive declaration,postulate,postulation,postulatum,predicate,predication,premise,presupposition,proclamation,profession,pronouncement,proposition,propositional function,protest,protestation,question,reflection,remark,representation,say,say-so,saying,sentence,stance,stand,statement,subjoinder,sumption,supposal,sworn evidence,sworn statement,sworn testimony,testimonial,testimonium,testimony,theorem,thesis,thought,truth table,truth-function,truth-value,utterance,vouch,witness,word 1331 - assertive,absolute,affirmative,affirmatory,aggressive,assertative,assertional,bold,bossy,certain,confident,decided,declarative,declaratory,definite,doctrinaire,dogmatic,domineering,emphatic,firm,insistent,opinionated,peremptory,positive,predicational,predicative,pushy,sure 1332 - assess,account,appraise,appreciate,ask,assay,calculate,calibrate,caliper,call,catalog,categorize,charge,charge for,check a parameter,class,classify,compute,consider,deem,demand,dial,divide,estimate,evaluate,exact,factor,fair-trade,fathom,figure,form an estimate,gauge,give an appreciation,graduate,group,guess,identify,impose,levy,make an estimation,make dutiable,mark,measure,mensurate,mete,meter,pace,plumb,price,prize,pro rata,probe,prorate,put,quantify,quantize,quote a price,rank,rate,reckon,require,set at,sift,size,size up,sort,sort out,sound,span,step,stick for,survey,take a reading,tax,thrash out,tithe,triangulate,valorize,valuate,value,weigh,winnow 1333 - assessed,ad valorem,admeasured,appraised,evaluated,gauged,good for,known by measurement,mapped,measured,metered,plotted,priced,prized,pro rata,quantified,quantized,rated,surveyed,triangulated,valuated,valued,valued at,worth 1334 - assessment,Irish dividend,account,allowance,analyzing,appraisal,appraisement,appraising,appreciation,apprizal,approximation,assessing,assize,assizement,bill,blackmail,blood money,calculation,categorization,cess,classification,computation,conscience money,contribution,correction,determination,direct tax,dual pricing,duty,emolument,estimate,estimation,evaluating,evaluation,evaluative criticism,factoring,fee,footing,gauging,graduated taxation,grouping,hush money,identification,imposition,impost,indirect tax,initiation fee,instrumentation,joint return,judgment,levy,measure,measurement,measuring,mensuration,metric system,mileage,opinion,price determination,pricing,progressive tax,quantification,quantization,ranking,rating,reckoning,retainer,retaining fee,scot,separate returns,sifting,sifting out,single tax,sorting,sorting out,stipend,stock,supertax,surtax,survey,surveying,tariff,tax,tax base,tax dodging,tax evasion,tax exemption,tax return,tax structure,tax withholding,tax-exempt status,taxable income,taxation,telemetering,telemetry,tithe,toll,triangulation,tribute,unit pricing,valuation,valuing,view,weighing,winnowing,withholding tax 1335 - assessor,Internal Revenue Service,JA,amicus curiae,appraiser,assayer,barmaster,cartographer,chancellor,chorographer,circuit judge,customhouse,customs,estimator,evaluator,exciseman,farmer,gauger,geodesist,judge advocate,judge ordinary,jurat,justice in eyre,justice of assize,land surveyor,lay judge,legal assessor,master,measurer,meter,military judge,oceanographer,ombudsman,ordinary,police judge,presiding judge,probate judge,publican,puisne judge,recorder,revenuer,surveyor,tax assessor,tax collector,tax farmer,taxer,taxman,topographer,valuator,valuer,vice-chancellor 1336 - asset,advantage,assets,bankroll,benefit,capital,distinction,effects,equity,glory,holdings,honor,means,money,ornament,possessions,principal,property,resource,resources,strength,talent,valuables,wealth 1337 - assets,Swiss bank account,accounts,accounts payable,accounts receivable,affluence,assessed valuation,assets and liabilities,available means,balance,bank account,bottom dollar,bottomless purse,budget,budgeting,bulging purse,capital,capital goods,capitalization,cash reserves,checking account,circumstances,command of money,costing-out,current assets,deferred assets,easy circumstances,embarras de richesses,exchequer,expenditures,finances,fixed assets,fortune,frozen assets,fund,funds,gold,grist,handsome fortune,high income,high tax bracket,holdings,independence,intangible assets,intangibles,kitty,liabilities,life savings,liquid assets,lucre,luxuriousness,mammon,material assets,material wealth,means,money,money to burn,moneybags,moneys,nest egg,net assets,net worth,opulence,opulency,outstanding accounts,pecuniary resources,pelf,pocket,pool,possessions,property,prosperity,prosperousness,purse,quick assets,receipts,reserves,resource,resources,riches,richness,savings,savings account,six-figure income,stock,stock-in-trade,substance,supply,tangible assets,tangibles,treasure,unpaid accounts,unregistered bank account,upper bracket,wealth,wealthiness,wherewithal 1338 - asseverate,acknowledge,affirm,allege,announce,annunciate,argue,assert,assever,attest,aver,avouch,avow,bear witness,certify,confess,contend,declare,depone,depose,disclose,enunciate,express,express the belief,give evidence,have,hold,insist,issue a manifesto,lay down,maintain,manifesto,nuncupate,predicate,proclaim,profess,pronounce,protest,put,put it,quote,recite,relate,say,set down,speak,speak out,speak up,stand for,stand on,state,submit,swear,testify,vouch,vow,warrant,witness 1339 - asshole,anus,boob,booby,bung,bunghole,chump,ding-a-ling,dingbat,dingdong,galoot,goof,jerk,jerk-off,klutz,mutt,prize sap,sap,saphead,sawney,schlemiel 1340 - assiduity,advertence,advertency,alertness,application,ardor,assiduousness,attention,attention span,attentiveness,awareness,bulldog tenacity,care,concentration,consciousness,consideration,constancy,diligence,dogged perseverance,doggedness,ear,earnestness,endurance,energeticalness,energy,engrossment,fervor,fidelity,heed,heedfulness,indefatigability,industriousness,industry,insistence,insistency,intentiveness,intentness,laboriousness,loyalty,mindfulness,note,notice,observance,observation,obstinacy,pains,painstaking,painstakingness,patience,patience of Job,permanence,perseverance,persistence,persistency,pertinaciousness,pertinacity,plodding,plugging,preoccupation,regard,regardfulness,relentlessness,remark,resolution,respect,sedulity,sedulousness,single-mindedness,singleness of purpose,slogging,stability,stamina,staying power,steadfastness,steadiness,stick-to-itiveness,strenuousness,stubbornness,tenaciousness,tenacity,thoroughgoingness,thoroughness,thought,tirelessness,unremittingness,unsparingness,unswerving attention,vehemence,zealousness 1341 - assiduous,advertent,agog,alert,all ears,all eyes,ardent,attentive,aware,careful,concentrated,conscious,constant,continuing,diligent,dogged,earnest,elaborate,enduring,energetic,faithful,fervent,finical,finicking,finicky,hard,hardworking,heedful,immutable,inalterable,indefatigable,indomitable,industrious,insistent,intense,intent,intentive,invincible,laborious,lasting,loyal,meticulous,mindful,never idle,never-tiring,nice,niggling,observant,observing,obstinate,on the ball,on the job,open-eared,open-eyed,openmouthed,operose,painstaking,patient,patient as Job,permanent,perseverant,persevering,persistent,persisting,pertinacious,plodding,plugging,preoccupied,rapt,regardful,relentless,resolute,sedulous,single-minded,sleepless,slogging,stable,steadfast,steady,strenuous,stubborn,tenacious,thorough,thoroughgoing,tireless,unabating,unconquerable,undaunted,undiscouraged,undrooping,unfailing,unfaltering,unflagging,unflinching,unintermitting,uninterrupted,unnodding,unrelaxing,unrelenting,unremitting,unsleeping,unsparing,unswerving,untiring,unwavering,unwearied,unwearying,unwinking,utterly attentive,vehement,watchful,weariless,zealous 1342 - assign,abalienate,accredit,alien,alienate,allocate,allot,allow,amortize,apply,appoint,apportion,appropriate,appropriate to,ascribe,assign to,associate,attach,attribute,authorize,barter,bequeath,carry over,cede,charge,charter,choose,classify,collocate,commend,commission,commit,communicate,confer,confide,consign,convey,credit,decide,deed,deed over,define,delegate,deliver,demise,denominate,deploy,deport,depute,deputize,designate,destine,detach,detail,determine,devolute,devolve,devolve upon,diffuse,dispose,disseminate,distribute,earmark,emplace,empower,enfeoff,entrust,establish,exchange,expel,export,extradite,fate,fix,get a fix,give,give homework,give in charge,give in trust,give out,give title to,grant,hand,hand down,hand forward,hand on,hand over,home in on,impart,import,impute,indicate,infeudate,install,lay,lay down,license,link,localize,locate,lot,make a syllabus,make an assignment,make assignments,make over,mark,mark off,mark out for,mention,metastasize,metathesize,mete out,mission,name,navigate,negotiate,nominate,ordain,order,ordinate,pass,pass on,pass over,pass the buck,perfuse,pick out,pigeonhole,pin down,pinpoint,place,point out,portion off,position,post,prescribe,put,put down,put in place,refer,relate,relay,relegate,remand,remise,remit,reserve,restrict,restrict to,schedule,second,select,sell,send out,set,set a task,set apart,set aside,set hurdles,set off,settle,settle on,sign away,sign over,signify,situate,specialize,specify,spot,spread,state,stipulate,surrender,switch,tab,tag,trade,transfer,transfer property,transfuse,translate,translocate,transmit,transplace,transplant,transpose,triangulate,trust,turn over,warrant,zero in on 1343 - assignation,abalienation,accounting for,agreement,alienation,amortization,amortizement,answerability,application,appointment,arrangement,arrogation,ascription,assemblee,assembly,assignation house,assignment,at home,attachment,attribution,ball,bargain and sale,barter,bequeathal,blame,brawl,caucus,cession,charge,colloquium,commission,committee,conclave,concourse,conferment,conferral,congregation,congress,connection with,consignation,consignment,conventicle,convention,conveyance,conveyancing,convocation,council,credit,dance,date,deeding,deliverance,delivery,demise,derivation from,diet,disposal,disposition,eisteddfod,enfeoffment,etiology,exchange,festivity,fete,forgathering,forum,gathering,get-together,giving,honor,housewarming,imputation,lease and release,levee,love nest,meet,meeting,meeting place,palaetiology,panel,party,place of assignation,placement,plenum,prom,quorum,rally,reception,reference to,rendezvous,responsibility,saddling,sale,seance,session,settlement,settling,shindig,sit-in,sitting,soiree,surrender,symposium,synod,trading,transfer,transference,transmission,transmittal,tryst,turnout,understanding,vesting 1344 - assignee,agent,allottee,almsman,almswoman,annuitant,appointee,assign,attorney,beneficiary,candidate,deputy,devisee,donee,factor,feoffee,grantee,legatary,legatee,licensee,nominee,patentee,pensionary,pensioner,proxy,selectee,stipendiary 1345 - assignment,abalienation,accession,accounting for,agency,agentship,alienation,allocation,allotment,amortization,amortizement,anointing,anointment,answerability,application,appointment,apportionment,appropriation,arrogation,ascription,assignation,assumption,attachment,attribution,authority,authorization,bargain and sale,barter,bequeathal,blame,brevet,busywork,care,cession,chalk talk,chare,charge,chore,collocation,commendation,commission,commissioning,commitment,conferment,conferral,connection with,consecration,consignation,consignment,conveyance,conveyancing,coronation,credit,cure,deeding,delegated authority,delegation,deliverance,delivery,demise,denomination,deployment,deposit,deposition,deputation,derivation from,designation,determination,devoir,devolution,devolvement,discourse,disposal,disposition,disquisition,distribution,duty,earmarking,election,embassy,emplacement,empowerment,enfeoffment,entrusting,entrustment,errand,etiology,exchange,executorship,exequatur,exercise,exposition,factorship,fish to fry,fixing,full power,giving,giving out,harangue,homework,homily,honor,imputation,incumbency,infeodation,infeudation,instruction,job,job of work,jurisdiction,labor,lading,lease and release,lecture,lecture-demonstration,legation,legitimate succession,lesson,liability,license,lieutenancy,loading,localization,locating,location,make-work,mandate,matters in hand,mission,moral,moral lesson,morality,moralization,naming,nomination,object lesson,obligation,odd job,office,ordainment,ordination,packing,palaetiology,piece of work,pinning down,pinpointing,placement,placing,plenipotentiary power,position,positioning,post,posting,power of attorney,power to act,preachment,precision,procuration,project,proxy,purview,putting,recital,recitation,reference to,regency,regentship,relegation,remanding,reposition,responsibility,saddling,sale,seizure,selection,sermon,service,set task,setting aside,settlement,settling,signification,situation,skull session,specification,spotting,stationing,stint,stipulation,storage,stowage,succession,surrender,tabbing,tagging,taking over,talk,task,teaching,things to do,trading,transfer,transference,transferral,transmission,transmittal,trust,trusteeship,usurpation,vesting,vicarious authority,warrant,work 1346 - assimilate,Americanize,Anglicize,ablate,absorb,accommodate,accommodate with,accord,acculturate,acculturize,adapt,adapt to,add,adjust,adjust to,admit,adopt,adsorb,affiliate,agree with,amalgamate,analogize,appreciate,apprehend,appropriate,approximate,assimilate,assimilate to,attune,balance,be guided by,be with one,become,bend,bleed white,blend,blot,blot up,bring into analogy,bring into comparison,bring near,bring to,burn up,catch,catch on,change,change into,change over,chemisorb,chemosorb,chime in with,coalesce,combine,come together,compare,compare and contrast,compare with,complete,comply,comply with,compose,compound,comprehend,comprise,conceive,confer citizenship,conform,confront,connaturalize,connect,consolidate,consume,contain,contrast,convert,coordinate,corner,correct,correspond,count in,counterpose,cover,cut to,damp,deplete,dig,digest,discipline,do over,drain,drain of resources,draw a comparison,draw a parallel,drink,drink in,drink up,eat,eat up,embody,embrace,encircle,enclose,encompass,engross,envisage,equalize,equilibrize,erode,espouse,even,exhaust,expend,fall in with,fathom,fill,fill in,fill out,filter in,finish,finish off,fit,fix,flatten,flux,follow,fuse,gear to,get,get hold of,get the drift,get the idea,get the picture,go by,go native,gobble,gobble up,grasp,harmonize,have,have it taped,hold,homogenize,homologate,homologize,imbibe,imbue,impoverish,include,incorporate,infiltrate,infuse,ingest,ingrain,inoculate,integrate,interblend,interfuse,join,ken,key to,know,learn,leaven,level,liken,liken to,lump together,make,make conform,make one,make over,make plumb,make uniform,master,match,measure,measure against,meet,meld,melt into one,merge,metabolize,metaphorize,mix,mold,monopolize,naturalize,normalize,number among,observe,occupy,oppose,osmose,paragon,parallel,percolate in,place against,predigest,proportion,put in tune,put together,read,realize,receive,reckon among,reckon in,reckon with,reconcile,reconvert,rectify,reduce to,reembody,regularize,regulate,relate,render,resolve into,reverse,right,roll into one,rub off corners,run a comparison,savvy,seep in,seize,seize the meaning,sense,set,set in contrast,set in opposition,set off against,set over against,set right,settle,shade into,shape,shift,similarize,similize,slurp up,smooth,soak in,soak up,solidify,sorb,spend,sponge,squander,stabilize,standardize,stereotype,straighten,suck dry,suffuse,suit,swallow,swallow up,swill up,switch,switch over,symmetrize,sync,synchronize,syncretize,syndicate,synthesize,tailor,take,take in,take into account,take into consideration,take up,tally with,transform,trim to,true,true up,tune,turn back,turn into,understand,uniformize,unify,unite,use up,view together,waste away,wear away,weigh,weigh against,yield 1347 - assimilated,Americanized,Anglicized,accented,acculturated,acculturized,adopted,alveolar,amalgamated,apical,apico-alveolar,apico-dental,articulated,back,barytone,bilabial,blended,broad,cacuminal,central,cerebral,changed,checked,close,combinative,combinatory,combined,conjoint,conjugate,conjunctive,connective,consolidated,consonant,consonantal,continuant,converted,dental,dissimilated,dorsal,eclectic,flat,front,fused,glide,glossal,glottal,guttural,hard,heavy,high,incorporated,indoctrinated,integrated,intonated,joined,joint,labial,labiodental,labiovelar,lateral,lax,light,lingual,liquid,low,merged,mid,mixed,monophthongal,muted,narrow,nasal,nasalized,naturalized,occlusive,one,open,oxytone,palatal,palatalized,pharyngeal,pharyngealized,phonemic,phonetic,phonic,pitch,pitched,posttonic,reborn,redeemed,reformed,regenerated,renewed,retroflex,rounded,semivowel,soft,sonant,stopped,stressed,strong,surd,syllabic,syncretistic,syncretized,synthesized,tense,thick,throaty,tonal,tonic,transformed,twangy,unaccented,united,unrounded,unstressed,velar,vocalic,vocoid,voiced,voiceless,vowel,vowellike,weak,wide 1348 - assimilation,Americanization,Anschluss,ablation,about-face,absorbency,absorbent,absorption,accommodation,accordance,acculturation,adaptation,addition,adjustment,admissibility,admission,adoption,adsorbent,adsorption,affiliation,agglomeration,aggregation,agreement,alchemy,alikeness,alliance,allophone,alveolar,amalgamation,analogy,apico-alveolar,apico-dental,aping,apperception,approach,approximation,articulation,aspiration,assimilation,association,assumption,attrition,attunement,awareness,basal metabolism,becoming,bilabial,bile,blend,blending,blotter,blotting,blotting paper,burning up,cabal,cacuminal,cartel,catabolism,centralization,cerebral,change,change-over,check,chemisorption,chemosorption,citizenship by naturalization,citizenship papers,closeness,coalescence,coalition,coaptation,combination,combine,combo,community,comparability,comparison,completeness,composition,comprehension,comprehensiveness,comprisal,confederacy,confederation,conformity,congeries,conglomeration,conjugation,conjunction,consciousness,consolidation,consonant,conspiracy,consumption,continuant,conversion,coordination,copying,correspondence,coverage,culture shock,dental,depletion,digestion,digestive system,diphthong,dissimilation,drain,eating up,ecumenism,eligibility,embodiment,embracement,encompassment,endosmosis,engrossment,enosis,envisagement,epenthetic vowel,erosion,exhaustion,exhaustiveness,exosmosis,expending,expenditure,explosive,federalization,federation,finishing,flip-flop,fusion,gastric juice,gastrointestinal tract,glide,glottal,glottalization,growth,guttural,harmonization,hookup,identification,identity,imbibing,imitation,impoverishment,inclusion,inclusiveness,incorporation,infiltration,ingestion,integration,intestinal juice,junction,junta,labial,labialization,labiodental,labiovelar,lapse,laryngeal,lateral,league,likeness,likening,lingual,liquid,liver,manner of articulation,marriage,meld,melding,membership,merger,metabolism,metaphor,mimicking,mindfulness,modification,monophthong,morphophoneme,mute,nasal,nationalization,naturalization,naturalized citizenship,nearness,occlusive,openness,osmosis,package,package deal,palatal,pancreas,pancreatic digestion,pancreatic juice,papers,parallelism,parasitic vowel,parity,participation,passage,peak,percolation,pharyngeal,pharyngealization,phone,phoneme,plosive,predigestion,progress,prothetic vowel,re-formation,reception,reconcilement,reconciliation,reconversion,reduction,regulation,resemblance,resolution,retroflex,reversal,saliva,salivary digestion,salivary glands,sameness,secondary digestion,seepage,segmental phoneme,semblance,semivowel,shift,similarity,simile,similitude,simulation,soaking-up,solidification,sonant,sonority,sorption,speech sound,spending,sponge,sponging,squandering,squaring,stop,surd,switch,switch-over,syllabic nucleus,syllabic peak,syllable,synchronization,syncretism,syndication,syneresis,synthesis,taking-in,tie-up,timing,tolerance,toleration,transformation,transit,transition,transition sound,triphthong,turning into,unification,union,using up,velar,vocable,vocalic,vocoid,voice,voiced sound,voiceless sound,voicing,volte-face,vowel,wastage,waste,wastefulness,wasting away,wearing away,wearing down,wedding,whole 1349 - assist,abet,accompany,act for,advance,aid,assistance,attend,avail,bail out,be instrumental,bear a hand,befriend,benefit,boost,comfort,concur,cooperate,do for,do good,doctor,ease,escort,facilitate,favor,finance,forward,fund,further,give a boost,give a hand,give a lift,give help,go between,hand,help,help out,helping hand,leg,leg up,lend a hand,lend one aid,lift,mediate,minister to,pay the bills,pension,pension off,proffer aid,promote,protect,rally,reclaim,redeem,relief,relieve,remedy,render assistance,rescue,restore,resuscitate,revive,save,second,serve,set up,stead,subserve,subsidize,succor,support,take in tow,work for 1350 - assistance,advantage,aid,alimony,allotment,allowance,alterative,analeptic,annuity,appropriation,assist,avail,backing,balm,balsam,benefit,bounty,comfort,corrective,cure,depletion allowance,dole,ease,fellowship,financial assistance,good offices,grant,grant-in-aid,guaranteed annual income,hand,healing agent,healing quality,help,lift,ministration,ministry,office,offices,old-age insurance,pecuniary aid,pension,prescription,price support,profit,protection,public assistance,public welfare,receipt,recipe,reinforcement,relief,remedial measure,remedy,rescue,restorative,retirement benefits,scholarship,service,sovereign remedy,specific,specific remedy,stipend,subsidization,subsidy,subvention,succor,support,supporting,tax benefit,therapy,upholding,use,welfare,welfare aid,welfare payments 1351 - assistant,acolyte,adjutant,agent,aid,aide,aide-de-camp,aider,ancilla,assistant professor,associate,associate professor,attendant,attorney,auxiliary,benefactor,best man,co-worker,coadjutant,coadjutor,coadjutress,coadjutrix,deputy,emeritus,employee,executive officer,factor,fall guy,flunky,girl Friday,help,helper,helpmate,helpmeet,henchman,hired hand,hired man,hireling,inferior,instructor,junior,lecturer,lieutenant,man Friday,mercenary,minion,myrmidon,paranymph,paraprofessional,patsy,pensioner,professor,professor emeritus,proxy,reader,retired professor,right-hand man,second,secondary,servant,sideman,stooge,striker,subordinate,subsidiary,supporting actor,supporting instrumentalist,tutor,underling,understrapper,visiting professor,worker,workfellow,yokemate 1352 - assizes,appellate court,chancery,chancery court,circuit court,civil court,common-law court,conciliation court,county court,court of appeals,court of assize,court of chancery,court of claims,court of conscience,court of equity,court of errors,court of honor,court of inquiry,court of probate,court of record,court of requests,court of review,court of sessions,court of wards,criminal court,district court,divorce court,equity court,family court,juvenile court,kangaroo court,mock court,moot court,night court,police court,prize court,probate court,sessions,superior court,traffic court 1353 - associate,Greek,abettor,accessory,accompany,accomplice,accord,accouple,accumulate,ace,acquaintance,act in concert,act together,affiliate,affiliate with,affiliated,affiliation,agglutinate,agree,alliance,allied,ally,alter ego,amalgamate,amass,amigo,analogon,analogue,appearance,apply,articulate,assemble,assistant,assistant professor,associate,associate professor,associate with,associated,association,assort with,attend,axis,band,band together,be acquainted with,be friends,be in cahoots,be in league,be inseparable,bedfellow,bedmate,belonger,bind,blend,bloc,bond,bosom buddy,bracket,bridge,bridge over,brother,brother-in-arms,brotherhood,buddy,bunch,bunch up,bunkie,bunkmate,butty,cabal,cahoots,camarade,card-carrier,card-carrying member,cardholder,cement,cement a union,centralize,chain,chamberfellow,charter member,chum,chum together,chum with,circuit,clap together,classmate,clique,clique with,close copy,close match,club,club together,clubber,clubman,clubwoman,coact,coaction,coadunate,coalesce,coalition,cognate,cohort,coincide,collaborate,collaboration,collaborator,colleague,collect,collude,comate,combination,combine,come into,come together,committeeman,companion,company,compatriot,compeer,complement,comprise,comrade,concatenate,concert,concomitant,concord,concur,confederate,conference,confidant,confidante,confrere,congenator,congener,conglobulate,congress,conjoin,conjugate,conjunction,connect,connect with,connection,connive,connotation,consociate,consolidate,consort,consort with,conspire,conventioneer,conventioner,conventionist,conviviality,cooperate,cooperation,coordinate,copartner,copulate,correlate,correlative,correspond,correspondent,cotton to,counterpart,couple,couple with,cover,creep in,crony,do business with,draw a parallel,dues-paying member,embrace,emeritus,encompass,enlist,enlistee,enroll,enrollee,enter,equate,equivalent,faction,familiar,fantasy,federalize,federate,federation,fellow,fellow student,fellowship,flock together,fraternity,fraternity man,fraternize,fraternize with,friend,fuse,gaiety,gang,gang up,gather,get heads together,get into,get together,girl friend,glue,go along with,go in partners,go in partnership,go into,go partners,go with,gossip,guild,guildsman,hang around with,hang out with,hang together,happen together,harmonize,herd together,hint,hit it off,hobnob with,hold together,honorary member,hook up,hook up with,hookup,identify,illusion,image,implication,include,initiate,insider,instructor,interest,interrelate,intimate,join,join forces,join fortunes with,join in,join in fellowship,join together,join up,join up with,join with,joiner,joviality,keep company with,keep together,kindred spirit,knot,know,lay together,league,league together,league with,leaguer,lecturer,life member,like,likeness,link,loop,lump together,machine,make common cause,marry,marshal,mass,match,mate,member,merge,messmate,mingle,mingle with,mirage,mix,mix with,mobilize,near duplicate,obverse,old crony,one of us,order,organization,organize,overtone,pair,pair off,pal,pal up with,pal with,parallel,parallelize,pard,pardner,partner,partnership,pendant,picture,piece together,play ball,playfellow,playmate,pledge,professor,professor emeritus,pull together,put heads together,put together,reader,reciprocal,reciprocate,relate,relativize,retired professor,ring,roll into one,roommate,run in couples,run with,schoolfellow,schoolmate,second self,secondary,sect,see,shipmate,side partner,sidekick,sign on,sign up,similitude,simulacrum,sister,sneak in,sociability,society,socius,sodality,solder,sorority girl,sorority woman,sort with,soul mate,span,splice,stand together,stand up with,stick together,subsidiary,such,suchlike,suggestion,sympathizer,synchronize,synergize,take in,take out membership,take up membership,take up with,tally,tape,team up,team up with,team with,teammate,teamwork,the like of,the likes of,throw in together,throw in with,tie,tie in,tie in with,tie up,tie up with,tie-up,togetherness,tutor,twin,undertone,unify,union,unionize,unite,unite efforts,unite with,vision,visiting professor,wait on,wed,weld,wheel,wing,work together,workfellow,yoke,yokefellow,yokemate 1354 - associated,accessory,accompanying,accordant,affiliate,affiliated,agreeing,allied,assembled,associate,at one with,attendant,attending,banded together,bound,bracketed,cabalistic,coacting,coactive,coadunate,coincident,collaborative,collateral,collected,collective,collectivistic,collusive,combined,combining,common,communal,communistic,commutual,concerted,concomitant,concordant,concurrent,concurring,confederate,confederated,conjoined,conjoint,conjugate,connected,consilient,conspiratorial,cooperant,cooperative,coordinate,copulate,corporate,correlated,correlative,coupled,coworking,enleagued,federate,federated,fellow,gathered,general,hand-in-glove,hand-in-hand,harmonious,implicated,in cahoots,in common,in league,in partnership,in with,incorporated,integrated,interlinked,interlocked,interrelated,intimate,involved,joined,joint,knotted,leagued,linked,married,matched,mated,meeting,merged,mutual,of that ilk,of that kind,paired,parallel,parasitic,partners with,popular,public,reciprocal,related,saprophytic,simultaneous,social,socialistic,societal,spliced,symbiotic,synchronous,synergetic,synergic,synergistic,teamed,tied,twin,twinned,undivided,united,uniting,unseparated,wed,wedded,yoked 1355 - association,Anschluss,British Cabinet,Sanhedrin,US Cabinet,accompaniment,accord,accordance,addition,adjunct,advisory body,affairs,affiliation,affinity,agglomeration,aggregation,agreement,alignment,alliance,amalgamation,approximation,assemblage,assembly,assimilation,association by contiguity,association of ideas,bench,blend,blending,board,body of advisers,bond,bonding,borough council,brain trust,cabal,cabinet,cahoots,camaraderie,camarilla,cartel,centralization,chain of thought,chamber,city council,clang association,closeness,co-working,coaction,coadunation,coalescence,coalition,cochairmanship,coincidence,collaboration,colleagueship,collectivity,collegialism,collegiality,collusion,combination,combine,combined effort,combo,common council,community,companionship,company,complicity,composition,comradeship,concert,concerted action,concomitance,concordance,concourse,concurrence,condominium,confederacy,confederation,conference,confluence,confraternity,congeries,conglomeration,congress,conjugation,conjunction,connectedness,connection,consilience,consociation,consolidation,consortium,consortship,conspiracy,consultative assembly,contiguity,contrariety,contribution,controlled association,cooperation,cooperative,copartnership,copartnery,correspondence,cotenancy,council,council fire,council of ministers,council of state,council of war,county council,court,current of thought,dealings,deduction,deliberative assembly,diet,directory,disjunction,divan,ecumenism,embodiment,encompassment,engagement,enosis,federalization,federation,fellowship,filiation,flow of thought,fraternalism,fraternity,fraternization,free association,freemasonry,friendship,fusion,group,guild,having a part,homology,hookup,identification,inclusion,incorporation,inmost thoughts,integration,intercourse,intimacy,involvement,joining,joint chairmanship,joint control,joint ownership,joint tenancy,junction,junta,kitchen cabinet,league,legislature,liaison,link,linkage,linking,marriage,meld,melding,membership,mental linking,merger,mutual attraction,nearness,negative transference,organization,package,package deal,pairing,parasitism,parish council,partaking,participation,partnership,positive transference,privy council,propinquity,proximity,rapport,relatedness,relation,relations,relationship,saprophytism,secret thoughts,sharing,similarity,simultaneity,social circle,social class,society,sodality,solidification,sorority,soviet,staff,stream of consciousness,suffrage,symbiosis,sympathy,synchronism,syncretism,syndicate,syndication,syneresis,synergy,synesthesia,synod,synthesis,thoughts,tie,tie-in,tie-up,train of thought,transference,tribunal,unification,union,united action,voting,wedding 1356 - assonance,alliteration,blank verse,chime,clink,consonance,crambo,dingdong,double rhyme,drone,eye rhyme,harping,humdrum,jingle,jingle-jangle,monotone,monotony,near rhyme,paronomasia,pitter-patter,pun,repeated sounds,repetitiousness,repetitiveness,rhyme,rhyme royal,rhyme scheme,rhyming dictionary,single rhyme,singsong,slant rhyme,stale repetition,tail rhyme,tedium,trot,unnecessary repetition,unrhymed poetry 1357 - assonant,accordant,according,alliteral,alliterating,alliterative,assonantal,attuned,belabored,blended,blending,chanting,chiming,cliche-ridden,concordant,consonant,dingdong,harmonic,harmonious,harmonizing,harping,homophonic,humdrum,in accord,in chorus,in concert,in concord,in sync,in tune,in unison,jingle-jangle,jingling,jog-trot,labored,monodic,monophonic,monotone,monotonous,punning,rhymed,rhyming,singsong,symphonious,synchronized,synchronous,tedious,tuned,unisonant,unisonous 1358 - assort,alphabetize,analyze,arrange,bolt,break down,catalog,categorize,class,classify,codify,collate,digest,distribute,divide,file,gradate,grade,group,index,list,methodize,order,pigeonhole,place,range,rank,rate,riddle,screen,separate,sieve,sift,size,sort,sort out,stratify,subdivide,subordinate,systematize,tabulate,type 1359 - assorted,adapted,aligned,arranged,arrayed,associated,at odds,at variance,bracketed,cataloged,categorized,chosen,classified,composed,conformable,conglomerate,constituted,contrary,contrasted,contrasting,coupled,departing,deviating,deviative,different,differentiated,differing,disaccordant,disagreeing,discordant,discrepant,discrete,discriminated,disjoined,disparate,disposed,dissimilar,dissonant,distinct,distinguished,divergent,diverging,divers,diverse,diversified,filed,fitted,fixed,graded,grouped,harmonized,heterogeneous,hierarchic,in disagreement,inaccordant,incompatible,incongruous,inconsistent,inconsonant,indexed,indiscriminate,inharmonious,irreconcilable,linked,many,many and various,marshaled,matched,methodized,mixed,motley,multifarious,normalized,of all sorts,on file,ordered,orderly,organized,picked,pigeonholed,placed,poles apart,poles asunder,preferred,promiscuous,pyramidal,ranged,ranked,rated,regularized,regulated,routinized,selected,separate,separated,several,sorted,standardized,stratified,suited,sundry,synchronized,systematized,tabular,unconformable,unequal,unlike,variant,varied,variegated,various,varying,widely apart,worlds apart 1360 - assortment,agglomeration,all sorts,allay,alleviate,appease,array,assemblage,assuage,batch,broad spectrum,calm,categorization,category,class,classification,collectanea,collection,conciliate,conglomerate,conglomeration,culling,ease,farrago,gallimaufry,gradation,group,grouping,hash,hodgepodge,hotchpot,hotchpotch,jumble,lighten,lot,magpie,mash,medley,melange,mess,mingle-mangle,miscellanea,miscellany,mishmash,mitigate,mix,mixed bag,mixture,mollify,oddments,odds and ends,olio,olla podrida,omnium-gatherum,pasticcio,pastiche,patchwork,placate,placement,potpourri,propitiate,ranking,relax,salad,salmagundi,sauce,scramble,screening,selection,set,sifting,slack,slacken,soothe,sorting,sorting out,stew,subordination,sundries,sweeten,taxonomy,triage,variety,what you will 1361 - assuage,abate,adjust to,allay,alleviate,alter,anesthetize,appease,attemper,bank the fire,benumb,blunt,box in,chasten,circumscribe,condition,constrain,control,cushion,damp,dampen,de-emphasize,deaden,deaden the pain,diminish,downplay,dull,ease,ease matters,extenuate,feast,feed,foment,give relief,gratify,hedge,hedge about,keep within bounds,lay,leaven,lenify,lessen,lighten,limit,lull,mitigate,moderate,modify,modulate,mollify,narrow,numb,obtund,pad,palliate,play down,poultice,pour balm into,pour oil on,qualify,quench,reduce,reduce the temperature,regale,regulate by,relieve,restrain,restrict,salve,sate,satiate,satisfy,season,set conditions,set limits,slacken,slake,slow down,smother,sober,sober down,soften,soothe,stifle,stupe,subdue,suppress,tame,temper,tone down,tune down,underplay,weaken 1362 - assuasive,alleviating,alleviative,altering,analgesic,anesthetic,anodyne,balmy,balsamic,benumbing,bounding,calmant,calmative,cathartic,cleansing,deadening,demulcent,dulling,easing,emollient,extenuating,extenuatory,lenitive,limitative,limiting,mitigating,mitigative,mitigatory,modificatory,modifying,modulatory,numbing,pain-killing,palliative,purgative,qualificative,qualificatory,qualifying,relieving,remedial,restricting,restrictive,sedative,softening,soothing,subduing 1363 - assume,accept,account as,accroach,acquire,act,act a part,act like,admit,adopt,affect,affirm,allegorize,allow,allude to,appropriate,arrogate,assert,assume,assume command,attack,attempt,aver,be afraid,believe,bluff,borrow,bring,bring to mind,buckle to,call for,camouflage,change,chorus,cloak,colonize,come by,come in for,commandeer,comprise,conceal,concede,conceive,conclude,connote,conquer,consider,contain,copy,counterfeit,cover up,crib,dare,daresay,deduce,deem,derive,derive from,disguise,dissemble,dissimulate,ditto,divine,do,do a bit,do like,don,drag down,dramatize,draw,draw from,draw on,dream,dress in,echo,embark in,embark upon,employ,encroach,endeavor,engage in,enslave,entail,enter on,enter upon,esteem,estimate,expect,fake,fall into,fall to,fancy,feel,feign,forge,four-flush,gain,gammon,gather,get,get into,get on,get under way,go about,go at,go in for,go into,go like,go upon,grab,grant,guess,have,have a hunch,have an idea,have an impression,have an inkling,have at,have coming in,have the idea,hazard,hide,hint,histrionize,hog,hoke,hoke up,hold,hold as,imagine,imitate,implicate,imply,import,indent,infer,infringe,insinuate,intimate,invade,involve,judge,jump a claim,launch forth,launch into,lay about,lead to,let,let be,let on,let on like,look upon as,maintain,make a pretense,make as if,make believe,make bold,make free,make free with,make like,make out like,make use of,mask,mean,mean to say,mirror,mock,monopolize,mount the throne,move into,obtain,occupy,opine,overact,overrun,pirate,pitch into,plagiarize,play,play God,play a part,play a scene,play possum,playact,plunge into,point indirectly to,posit,postulate,predicate,preempt,prefigure,premise,preoccupy,prepossess,presume,presuppose,presurmise,pretend,pretend to,proceed to,profess,provisionally accept,pull,pull down,put on,put on airs,receive,reckon,reecho,reflect,regard,repeat,repute,require,requisition,say,secure,seize,seize power,seize the throne,set about,set at,set down as,set forward,set going,set to,sham,simulate,sit on,slip on,snatch,squat on,steal,strike,subjugate,subsume,suggest,suppose,surmise,suspect,tackle,take,take all of,take charge,take command,take for,take for granted,take in,take it,take it all,take on,take over,take possession,take possession of,take the helm,take the lead,take the liberty,take to be,take up,think,throw,trespass,trow,tug the heartstrings,turn to,understand,undertake,use,usurp,venture,venture upon,view as,wear,ween 1364 - assumed,accepted,accounted as,affected,alleged,apocryphal,artificial,assumptive,bastard,bogus,brummagem,chanced,colorable,colored,conjectured,counterfeit,counterfeited,deceptive,deemed,delusory,distorted,dressed up,dummy,embellished,embroidered,ersatz,expected,expropriated,factitious,fake,faked,false,falsified,feigned,fictitious,fictive,garbled,given,granted,hinted,hypocritical,hypothetical,illegitimate,illusory,imitation,implicated,implied,in hand,in process,in progress,in the works,indicated,inferred,insubstantial,intimated,involved,junky,made-up,make-believe,man-made,meant,mock,on the anvil,perverted,phony,pinchbeck,postulated,postulational,premised,presumed,presumptive,presupposed,pretended,pseudo,put on,put-on,putative,quasi,queer,reputed,seized,self-styled,sham,shoddy,simulated,so-called,soi-disant,spurious,suggested,supposed,suppositional,supposititious,suppositive,synthetic,taken,taken for granted,theoretical,tin,tinsel,titivated,twisted,unauthentic,under way,understood,undertaken,ungenuine,unnatural,unreal,warped 1365 - assumption,a priori principle,about-face,acceptance,accession,acquisition,admission,admittance,adoption,affirmation,alchemy,allegory,allusion,anointing,anointment,apotheosis,appointment,appropriation,apriorism,arcane meaning,arrogation,ascension,ascent,aspiration,assertion,assignment,assimilation,assumed position,assumption,assurance,assured faith,attitude,authorization,axiom,basis,beatification,becoming,borrowed plumes,canonization,categorical proposition,change,change-over,cheerful expectation,climate of opinion,colonization,coloration,common belief,community sentiment,conceit,concept,conception,conclusion,confidence,conjecture,connotation,conquest,consecration,consensus gentium,consideration,conversion,conviction,copying,coronation,data,deification,delegation,dependence,deputation,derivation,deriving,desire,doomed hope,election,elevation,empowerment,encroachment,enshrinement,enslavement,entailment,erection,escalation,estimate,estimation,ethos,exaltation,expectation,eye,fair prospect,faith,familiarity,feeling,fervent hope,first principles,flip-flop,foundation,fundamental,gathering,general belief,getting,good cheer,good hope,great expectations,ground,growth,guess,guesswork,height,high hopes,hint,hope,hopeful prognosis,hopefulness,hopes,hoping,hoping against hope,hubris,hypothesis,hypothesis ad hoc,idea,imitation,implication,implied meaning,import,imposition,impression,indent,inference,infringement,innuendo,insolence,intimation,invasion,involvement,ironic suggestion,judgment,lapse,law,lawlessness,legitimate succession,lemma,liberties,liberty abused,license,licentiousness,lifting,lights,major premise,meaning,metaphorical sense,mind,minor premise,mocking,mystique,naturalization,notion,nuance,observation,occult meaning,occupation,opinion,overtone,overweening,overweeningness,passage,pasticcio,pastiche,personal judgment,philosopheme,philosophical proposition,pirating,plagiarism,plagiary,playing God,point of view,popular belief,posit,position,postulate,postulation,postulatum,posture,prayerful hope,preemption,premise,preoccupation,prepossession,presumption,presumptuousness,presupposal,presupposition,prevailing belief,principle,progress,promise,proposition,propositional function,prospect,prospects,public belief,public opinion,raising,re-formation,reaction,rearing,receipt,receival,receiving,reception,reconversion,reduction,reliance,requisition,resolution,resurrection,reversal,sanguine expectation,security,seizure,sentiment,set of postulates,shift,sight,simulation,stance,statement,subjugation,subsense,subsidiary sense,subsumption,succession,suggestion,sumption,supposal,supposing,supposition,surmise,sursum corda,switch,switch-over,symbolism,takeover,taking,taking over,the Ascension,the Assumption,theorem,theory,thesis,thinking,thought,tinge,touch,transformation,transit,transition,translation,trespass,trespassing,trust,truth table,truth-function,truth-value,turning into,undercurrent,undermeaning,undertone,undue liberty,upbuoying,upcast,upheaval,uplift,uplifting,upping,uprearing,upthrow,upthrust,usurpation,view,volte-face,way of thinking,well-grounded hope,working hypothesis 1366 - assurance,Bible oath,absolute certainty,absoluteness,acceptation,acception,accident insurance,acquiescence,actuary,agreement,aid and comfort,annuity,aplomb,arrogance,ascertainment,aspiration,assumption,assured faith,assuredness,audacity,aviation insurance,avouch,avouchment,avow,bail bond,balance,belief,boldness,bond,brashness,brass,brazenness,bumptiousness,business life insurance,casualty insurance,certain knowledge,certainness,certainty,certificate of insurance,certification,certitude,check,checking,cheek,cheerful expectation,chutzpah,clear sailing,cockiness,cocksureness,collation,comfort,commitment,compact,composure,conceit,condolence,confidence,confidentness,confirmation,consolation,control,contumely,conviction,coolness,courage,court bond,covenant,credence,credit,credit insurance,credit life insurance,credulity,dead certainty,deductible,definiteness,dependence,desire,determinacy,determinateness,determination,doomed hope,easement,effrontery,emboldening,encouragement,endowment insurance,ensuring,equability,equanimity,equilibrium,establishment,expectation,extrajudicial oath,fair prospect,faith,family maintenance policy,fervent hope,fidelity bond,fidelity insurance,flood insurance,fraternal insurance,gall,good cheer,good hope,government insurance,great expectations,guarantee,guaranty,gumption,guts,gutsiness,hardihood,hardiness,harmlessness,health insurance,heartening,high hopes,hope,hopeful prognosis,hopefulness,hopes,hoping,hoping against hope,hubris,immunity,impudence,indemnity,industrial life insurance,ineluctability,inerrability,inerrancy,inevitability,infallibilism,infallibility,insolence,inspiration,inspiriting,inspiritment,insurance,insurance agent,insurance broker,insurance company,insurance man,insurance policy,interinsurance,intrepidity,invulnerability,ironclad oath,judicial oath,level head,levelheadedness,liability insurance,license bond,limited payment insurance,loyalty oath,major medical insurance,malpractice insurance,marine insurance,mutual company,necessity,nerve,nonambiguity,noncontingency,oath,oath of allegiance,oath of office,obtrusiveness,ocean marine insurance,official oath,overconfidence,oversureness,overweening,overweeningness,pact,parole,permit bond,pledge,plight,poise,policy,pomposity,positiveness,possession,prayerful hope,predestination,predetermination,presence of mind,presumption,presumptuousness,pride,probatum,procacity,promise,prospect,prospects,protection,proved fact,pushiness,reassurance,reassurement,reception,reliance,reliance on,relief,resolve,restraint,risklessness,robbery insurance,safeguard,safeness,safety,sangfroid,sanguine expectation,security,self-assurance,self-command,self-conceit,self-confidence,self-control,self-importance,self-possession,self-reliance,self-restraint,settled belief,shred of comfort,social security,solace,solacement,solemn declaration,solemn oath,steadiness,stock,stock company,stocks and bonds,store,subjective certainty,substantiation,support,sureness,surety,suspension of disbelief,sympathy,term insurance,test oath,theft insurance,tie,troth,trust,truth,unambiguity,understanding,underwriter,unequivocalness,univocity,unmistakableness,uppishness,uppityness,validation,vanity,verification,vow,warrant,warranty,well-grounded hope,well-regulated mind,word,word of honor 1367 - assure,afford hope,and candle,ascertain,assert,assert under oath,asseverate,attest,augur well,avouch,back,be convincing,be sponsor for,bear up,bid fair,bolster,bond,book,brace up,bring home to,bring over,bring round,bring to reason,buck up,carry conviction,certify,cheer,cinch,clear up,clinch,comfort,condole with,confirm,console,convert,convict,convince,countersecure,countersign,decide,depone,depose,determine,dismiss all doubt,drive home to,ease,embolden,encourage,endorse,ensure,establish,find out,fix,get at,give comfort,give hope,guarantee,guaranty,have good prospects,hearten,hold out hope,hold out promise,inspire,inspire belief,inspire hope,inspirit,insure,justify hope,kiss the book,lead to believe,make a promise,make certain,make fair promise,make no doubt,make no mistake,make sure,make sure of,nail down,nerve,persuade,pledge,plight,promise,put at ease,raise expectations,raise hope,reassure,relieve,remove all doubt,satisfy,secure,see that,see to it,sell,sell one on,set at ease,set at rest,settle,sign,sign for,solace,sort out,sponsor,stabilize,stand behind,stand up for,state,subscribe to,support,swear,swear by bell,swear the truth,swear to,swear to God,swear to goodness,sympathize with,talk over,testify,troth,undersign,underwrite,vouch,vow,warrant,win over 1368 - assured,affianced,arrogant,ascertained,aspiring,assurance,assuredness,attested,balanced,believing,betrothed,bound,certain,certified,certitude,clear-cut,cocksure,collected,committed,composed,compromised,confidence,confident,contracted,conviction,convinced,cool,covered,decided,definite,determinate,determined,devout,dogmatic,doubtless,engaged,ensured,equanimous,equilibrious,established,expectant,faithful,fideistic,fixed,fond,full of hope,game,guaranteed,hopeful,hoping,hubristic,imperturbable,impressed with,in good heart,in hopes,in the bag,insured,intended,levelheaded,made sure,nailed down,obligated,of good cheer,of good hope,on ice,open-and-shut,overconfident,oversure,overweening,persuaded,pietistic,pious,pistic,pledged,plighted,plucky,poised,pompous,positive,promised,pronounced,proud,proved,reassured,recollected,resolute,sanguine,satisfied,secure,secured,self-assured,self-confident,self-controlled,self-important,self-possessed,self-reliant,self-restrained,set,settled,sold on,spunky,stated,sure,sureness,surety,sworn,tested,together,tried,unafraid,under the impression,underwritten,undespairing,undoubtful,undoubting,unfaltering,unflappable,unhesitating,unruffled,unwavering,warranted,well-balanced 1369 - assuredly,OK,Roger,absolutely,actually,all right,alright,alrighty,amen,and no mistake,as you say,at all events,at any rate,aye,by all means,certainly,clearly,da,decidedly,decisively,definitely,demonstrably,distinctly,exactly,fine,for a certainty,for a fact,for certain,for real,for sure,forsooth,good,good enough,hear,in all conscience,in truth,indeed,indeedy,indubitably,ja,just so,mais oui,manifestly,most assuredly,most certainly,naturally,naturellement,nothing else but,noticeably,observably,obviously,of course,okay,oui,patently,positively,precisely,quite,rather,really,right,righto,sensibly,seriously,sure,sure thing,surely,to a certainty,to be sure,truly,unambiguously,undeniably,unequivocally,unmistakably,verily,very well,visibly,well and good,why yes,without doubt,yea,yeah,yep,yes,yes indeed,yes indeedy,yes sir,yes sirree 1370 - Astarte,Adonis,Amor,Aphrodite,Apollo,Apollo Belvedere,Artemis,Ashtoreth,Baal,Balder,Ceres,Cleopatra,Cupid,Cynthia,Demeter,Diana,Dionysus,Eros,Frey,Freya,Hebe,Hecate,Hekate,Hyperion,Isis,Kama,Love,Luna,Narcissus,Pan,Phoebe,Priapus,Selene,Venus,Venus de Milo,houri,peri,the Graces 1371 - astern,a rebours,a reculons,abaft,aft,after,against the grain,anticlockwise,arear,ass-backwards,away,back,backward,backwards,baft,counterclockwise,fore and aft,fro,hindward,hindwards,in reverse,rear,rearward,rearwards,retrad,widdershins 1372 - asteroid,Earth,Jupiter,Mars,Mercury,Neptune,Pluto,Saturn,Uranus,Venus,asteroids,aurora particles,blackout,cosmic particles,cosmic ray bombardment,inferior planet,intergalactic matter,major planet,meteor dust impacts,meteors,minor planet,planet,planetoid,radiation,secondary planet,solar system,space bullets,superior planet,terrestrial planet,the bends,wanderer,weightlessness 1373 - asthma,Asiatic flu,Hong Kong flu,abscess,acute bronchitis,adenoiditis,ague,allergen,allergic disorder,allergy,aluminosis,amygdalitis,anemia,ankylosis,anoxia,anthracosilicosis,anthracosis,apnea,asbestosis,asphyxiation,ataxia,atrophy,atypical pneumonia,backache,bituminosis,black lung,bleeding,blennorhea,bronchial pneumonia,bronchiectasis,bronchiolitis,bronchitis,bronchopneumonia,cachexia,cachexy,catarrh,chalicosis,chill,chills,chronic bronchitis,cold,colic,collapsed lung,common cold,coniosis,conjunctivitis,constipation,convulsion,coryza,cosmetic dermatitis,coughing,croup,croupous pneumonia,cyanosis,diarrhea,dizziness,double pneumonia,dropsy,dry pleurisy,dysentery,dyspepsia,dyspnea,eczema,edema,emaciation,emphysema,empyema,epidemic pleurodynia,fainting,fatigue,fever,fibrillation,fibrinous pneumonia,flu,flux,grippe,growth,hay fever,hemorrhage,high blood pressure,hives,hydrops,hypertension,hypotension,icterus,indigestion,inflammation,influenza,insomnia,itching,jaundice,la grippe,labored breathing,laryngitis,lipoid pneumonia,lobar pneumonia,low blood pressure,lumbago,lung cancer,lung fever,marasmus,nasal discharge,nausea,necrosis,pain,paralysis,pharyngitis,pleurisy,pleuritis,pneumococcal pneumonia,pneumoconiosis,pneumonia,pneumonic fever,pneumothorax,pollinosis,pruritus,quinsy,rash,rheum,rose cold,sclerosis,seizure,shock,siderosis,silicosis,skin eruption,sneezing,sore,sore throat,spasm,swine flu,tabes,tachycardia,the sniffles,the snuffles,tonsilitis,tumor,upset stomach,urticaria,vertigo,virus pneumonia,vomiting,wasting,wet pleurisy,whooping cough 1374 - asthmatic,breathing,errhine,expiratory,heaving,huffing,inspiratory,nasal,panting,pneumonic,puffing,pulmonary,pulmonic,respiratory,rhinal,sneezy,sniffling,sniffly,sniffy,snoring,snorting,snuffling,snuffly,snuffy,sternutatory,stertorous,wheezing,wheezy 1375 - astonish,affright,alarm,amaze,ambush,astound,awe,awestrike,bedaze,bedazzle,bewilder,boggle,bowl down,bowl over,bushwhack,catch off-guard,catch unawares,come from behind,come upon unexpectedly,confound,daze,dazzle,do the unexpected,drop in on,dumbfound,dumbfounder,flabbergast,floor,overwhelm,paralyze,perplex,petrify,pounce upon,pull up short,shock,spring a surprise,spring upon,stagger,startle,strike dead,strike dumb,strike with wonder,stun,stupefy,surprise,take by surprise,take short,take unawares,terrify 1376 - astonishing,amazing,appalling,astounding,breathtaking,confounding,conspicuous,egregious,electrifying,exceptional,extraordinary,eye-opening,fabulous,fantastic,formidable,incredible,jarring,jolting,marked,marvelous,mind-boggling,miraculous,notable,noteworthy,noticeable,of mark,outstanding,overwhelming,prodigious,remarkable,shocking,signal,spectacular,staggering,startling,striking,stunning,stupendous,superior,surprising,uncommon,wonderful,wondrous 1377 - astound,abash,amaze,appall,astonish,awe,awestrike,bedaze,bedazzle,bewilder,boggle,bowl down,bowl over,confound,daze,dazzle,discomfit,disconcert,dismay,dumbfound,dumbfounder,flabbergast,floor,overwhelm,paralyze,perplex,petrify,put out,shock,stagger,startle,strike dead,strike dumb,strike with wonder,stun,stupefy,surprise,take aback 1378 - astounded,agape,aghast,agog,all agog,amazed,appalled,ashen,astonished,at gaze,awed,awestricken,awestruck,beguiled,bewildered,bewitched,blanched,breathless,captivated,confounded,cowed,deadly pale,dumbfounded,dumbstruck,enchanted,enraptured,enravished,enthralled,entranced,fascinated,flabbergasted,frozen,gaping,gauping,gazing,gray with fear,horrified,horror-struck,hypnotized,in awe,in awe of,intimidated,lost in wonder,marveling,mesmerized,open-eyed,openmouthed,overwhelmed,pale as death,pallid,paralyzed,petrified,popeyed,puzzled,rapt in wonder,scared stiff,scared to death,spellbound,staggered,staring,stunned,stupefied,surprised,terrified,terror-crazed,terror-haunted,terror-ridden,terror-riven,terror-shaken,terror-smitten,terror-struck,terror-troubled,thunderstruck,under a charm,undone,unmanned,unnerved,unstrung,wide-eyed,wonder-struck,wondering 1379 - astounding,amazing,appalling,astonishing,awe-inspiring,awesome,awful,breathtaking,confounding,dire,direful,dread,dreaded,fell,formidable,ghastly,ghoulish,grim,grisly,gruesome,hideous,horrendous,horrible,horrid,horrific,horrifying,macabre,mind-boggling,miraculous,morbid,overwhelming,prodigious,redoubtable,schrecklich,shocking,spectacular,staggering,startling,stunning,stupendous,surprising,terrible,terrific,tremendous,wonderful,wondrous 1380 - astral,Buddhic body,Cynthian,Masan,airy,anagalactic,apparition,appearance,asomatous,asteroidal,astral body,astral spirit,astrologic,astrologistic,astrologous,astronomic,astrophysical,banshee,bliss body,bodiless,causal body,celestial,circumplanetary,cislunar,control,daydreaming,daydreamy,decarnate,decarnated,departed spirit,design body,discarnate,disembodied,disembodied spirit,duppy,dybbuk,ectoplasmic,eidolon,empyreal,empyrean,equinoctial,ethereal,etheric,etheric body,extragalactic,extramundane,form,galactic,ghost,ghostish,ghostlike,ghostly,ghosty,grateful dead,guide,hant,haunt,heavenly,heliacal,highest,highest-ranking,idolum,immaterial,immateriality,impalpable,imponderable,incorporate,incorporeal,incorporeal being,incorporeity,insubstantial,intangible,intercosmic,interplanetary,intersidereal,interstellar,kamarupa,kamic body,larva,lemures,linga sharira,lunar,lunary,lunate,lunular,lunulate,manes,materialization,meteoric,meteoritic,mind body,nebular,nebulose,nebulous,nonmaterial,nonphysical,occult,oni,otherworldly,phantasm,phantasma,phantasmal,phantasmic,phantom,phantomic,phantomlike,planetal,planetarian,planetary,planetesimal,poltergeist,presence,psychic,revenant,semilunar,shade,shadow,shadowy,shape,shrouded spirit,sidereal,solar,soul body,specter,specterlike,spectral,spectral ghost,sphery,spirit,spiritual,spiritual body,spook,sprite,star-spangled,star-studded,starry,stellar,stellary,subtle body,supernatural,terrestrial,theophany,top-drawer,transmundane,unearthly,unembodied,unextended,unfleshly,unphysical,unsubstantial,unsubstantiality,unworldly,uranic,vision,visionary,vital body,walking dead man,wandering soul,wraith,wraithlike,wraithy,zodiacal,zombie 1381 - astray,abashed,aberrant,abroad,adrift,afield,all abroad,all off,all wrong,amiss,askew,at fault,at sea,awry,badly,below the mark,beside the mark,beside the point,bewildered,bootlessly,bothered,clear,clueless,confused,corrupt,deceptive,defective,delusive,deviant,deviational,deviative,discomposed,disconcerted,dismayed,disoriented,distorted,distracted,distraught,disturbed,embarrassed,errant,erring,erroneous,erroneously,fallacious,fallaciously,false,falsely,far afield,far from it,faultful,faultfully,faultily,faulty,flawed,fruitlessly,guessing,heretical,heterodox,illogical,illusory,in a fix,in a maze,in a pickle,in a scrape,in a stew,in vain,lost,mazed,mistakenly,not right,not true,off,off the track,out,peccant,perturbed,perverse,perverted,put-out,self-contradictory,straying,to no purpose,turned around,unfactual,unfavorably,unorthodox,unproved,untrue,untruly,upset,vainly,wide,without a clue,wrong,wrongly 1382 - astringency,Spartanism,abbreviation,acerbity,acidity,acidulousness,acridity,acridness,acrimony,asperity,astriction,astringence,austerity,authoritarianism,bite,bitingness,bitter pill,bitterness,bottleneck,causticity,cervix,circumscription,coarctation,compactedness,compaction,compression,compressure,concentration,condensation,consolidation,constriction,constringency,contraction,contracture,curtailment,cuttingness,decrease,demandingness,diminuendo,discipline,edge,exactingness,fierceness,gall,gall and wormwood,grimness,grip,hardness,harshness,hourglass,hourglass figure,inclemency,isthmus,keenness,knitting,meticulousness,mordacity,mordancy,narrow place,narrowing,neck,piquancy,poignancy,point,puckering,pungency,pursing,reduction,regimentation,rigid discipline,rigor,roughness,ruggedness,severity,sharpness,shortening,solidification,sourness,sternness,sting,stranglement,strangulation,striction,strictness,stricture,stridency,stringency,systole,tartness,teeth,toughness,trenchancy,ungentleness,vehemence,violence,virulence,wasp waist,wrinkling 1383 - astringent,Spartan,Spartanic,acerb,acerbic,acid,acidulous,acrid,acrimonious,alum,amaroidal,ascetic,asperous,austere,authoritarian,biting,bitter,bitter as gall,brisk,caustic,clamp,coarse,collapsible,compactable,compressible,compressor,constrictor,constringent,consumptive,contractible,contractile,contractional,contractive,contractor,cutting,deflationary,demanding,double-edged,dour,edged,escharotic,exacting,exigent,fierce,foldable,grim,hard,harsh,incisive,inclement,irritating,keen,meticulous,mordacious,mordant,mortified,nose-tickling,penetrating,piercing,pincer,piquant,poignant,puckery,pungent,restorative,rigorous,roborant,rough,rugged,scathing,severe,sharp,sour,stabbing,stern,stinging,strict,strident,stringent,styptic,styptic pencil,tart,tough,trenchant,ungentle,unsparing,vehement,violent,virulent,vise,vitriolic 1384 - astrologer,Cassandra,Chaldean,Druid,astroalchemist,astrologian,astromancer,augur,calamity howler,crystal gazer,divinator,diviner,divineress,forecaster,foreknower,foreseer,foreshower,foreteller,fortuneteller,genethliac,geomancer,haruspex,horoscoper,horoscopist,palmist,predictor,prefigurer,presager,prognosticator,prophesier,prophet,prophet of doom,prophetess,psychic,pythoness,religious prophets,seer,seeress,soothsayer,stargazer,vates,weather prophet 1385 - astrology,Friday,Friday the thirteenth,appointed lot,aspect,astral influences,astrodiagnosis,astromancy,augury,book of fate,clairvoyance,constellation,crystal ball,crystal gazing,cup,destination,destiny,dies funestis,divination,divining,doom,end,fatality,fate,foredoom,fortune,fortunetelling,future,genethliac astrology,genethliacism,genethliacs,genethlialogy,haruspication,haruspicy,horoscope,horoscopy,house,ides of March,inevitability,kismet,lot,mansion,mantic,mantology,moira,mundane astrology,mundane house,nativity,natural astrology,palm-reading,palmistry,planetary house,planets,portion,pythonism,sorcery,stargazing,stars,unlucky day,weird,wheel of fortune,will of Heaven,zodiac 1386 - astronaut,Martian,adventurer,aeronaut,aeroplaner,aeroplanist,air pilot,airplanist,alien,alpinist,aviator,barnstormer,birdman,camper,captain,climber,cloud seeder,comers and goers,commercial pilot,commuter,copilot,cosmonaut,cosmopolite,crop-duster,cruiser,excursionist,explorer,fare,flier,globe-girdler,globe-trotter,goer,hajji,instructor,jet jockey,jet set,jet-setter,journeyer,licensed pilot,man from Mars,mariner,mountaineer,palmer,passenger,passerby,pathfinder,pilgrim,pilot,pioneer,planetary colony,rainmaker,rocket man,rocketeer,rubberneck,rubbernecker,sailor,sightseer,space crew,space traveler,spaceman,straphanger,stunt flier,stunt man,test pilot,tourer,tourist,trailblazer,trailbreaker,transient,traveler,trekker,tripper,viator,visiting fireman,voortrekker,voyager,voyageur,wayfarer,wingman,world-traveler 1387 - astronautics,aeronautics,aerospace medicine,aerospace research,aerospace science,aerospace technology,air service,airline,aviation,ballooning,bioastronautics,blind flying,cloud-seeding,commercial aviation,contact flying,cruising,escape velocity,flight,flying,general aviation,gliding,grand tour,interplanetary travel,pilotage,rocketry,sailing,sailplaning,science fiction,soaring,space flight,space medicine,space travel,space walk,step flight,trip to Mars,winging 1388 - astronomic,Atlantean,Brobdingnagian,Cyclopean,Cynthian,Gargantuan,Herculean,Homeric,abysmal,amplitudinous,anagalactic,asteroidal,astral,astrologic,astrologistic,astrologous,astronomical,astrophysical,awesome,boundless,bulky,celestial,circumplanetary,cislunar,colossal,cosmic,elephantine,empyreal,empyrean,enormous,epic,equinoctial,extensive,extragalactic,galactic,giant,giantlike,gigantic,heavenly,heliacal,heroic,huge,immeasurable,immense,infinite,intercosmic,interplanetary,intersidereal,interstellar,jumbo,king-size,large,lunar,lunary,lunate,lunular,lunulate,mammoth,massive,massy,meteoric,meteoritic,mighty,monster,monstrous,monumental,mountainous,nebular,nebulose,nebulous,outsize,overgrown,planetal,planetarian,planetary,planetesimal,prodigious,profound,semilunar,sidereal,sizable,solar,spacious,sphery,star-spangled,star-studded,starry,stellar,stellary,stupendous,terrestrial,titanic,towering,tremendous,uranic,vast,voluminous,weighty,zodiacal 1389 - astronomical,Atlantean,Brobdingnagian,Cyclopean,Cynthian,Gargantuan,Herculean,Homeric,abysmal,amplitudinous,anagalactic,asteroidal,astral,astrologic,astrologistic,astrologous,astronomic,astrophysical,awesome,boundless,bulky,celestial,circumplanetary,cislunar,colossal,cosmic,elephantine,empyreal,empyrean,enormous,epic,equinoctial,extensive,extragalactic,galactic,giant,giantlike,gigantic,heavenly,heliacal,heroic,huge,immeasurable,immense,infinite,intercosmic,interplanetary,intersidereal,interstellar,jumbo,king-size,large,lunar,lunary,lunate,lunular,lunulate,mammoth,massive,massy,meteoric,meteoritic,mighty,monster,monstrous,monumental,mountainous,nebular,nebulose,nebulous,outsize,overgrown,planetal,planetarian,planetary,planetesimal,prodigious,profound,semilunar,sidereal,sizable,solar,spacious,sphery,star-spangled,star-studded,starry,stellar,stellary,stupendous,terrestrial,titanic,towering,tremendous,uranic,vast,voluminous,weighty,zodiacal 1390 - astronomy,astrogeology,astrognosy,astrography,astrolithology,astrophotography,astrophysics,celestial mechanics,gravitational astronomy,meteoritics,radar astronomy,radio astronomy,solar physics,spectrography,spectroscopy,stargazing,stellar photometry,uranography,uranology,uranometry 1391 - astrophysical,Cynthian,aerophysical,anagalactic,asteroidal,astral,astrologic,astrologistic,astrologous,astronomic,celestial,circumplanetary,cislunar,empyreal,empyrean,equinoctial,extragalactic,galactic,heavenly,heliacal,intercosmic,interplanetary,intersidereal,interstellar,lunar,lunary,lunate,lunular,lunulate,meteoric,meteoritic,nebular,nebulose,nebulous,physical,planetal,planetarian,planetary,planetesimal,semilunar,sidereal,solar,sphery,star-spangled,star-studded,starry,stellar,stellary,terrestrial,uranic,zodiacal 1392 - astrophysics,Newtonian physics,acoustics,aerophysics,applied physics,astrogeology,astrognosy,astrography,astrolithology,astronomy,astrophotography,basic conductor physics,biophysics,celestial mechanics,chemical physics,cryogenics,crystallography,cytophysics,electron physics,electronics,electrophysics,geophysics,gravitational astronomy,macrophysics,mathematical physics,mechanics,medicophysics,meteoritics,microphysics,natural philosophy,natural science,nuclear physics,optics,philosophy,physic,physical chemistry,physical science,physicochemistry,physicomathematics,physics,psychophysics,radar astronomy,radiation physics,radio astronomy,radionics,solar physics,solid-state physics,spectrography,spectroscopy,stargazing,statics,stellar photometry,stereophysics,theoretical physics,thermodynamics,uranography,uranology,uranometry,zoophysics 1393 - astute,Machiavellian,Machiavellic,acute,adroit,alert,apperceptive,appercipient,arch,argute,artful,cagey,calculating,canny,clever,cogent,crafty,cunning,cute,deceitful,deep,deep-laid,designing,diplomatic,discerning,discreet,farseeing,farsighted,feline,foreseeing,foresighted,forethoughted,forethoughtful,foxy,guileful,heady,incisive,ingenious,insidious,insightful,intelligent,inventive,judicious,keen,knowing,knowledgeable,longheaded,longsighted,observant,pawky,penetrating,perceptive,percipient,perspicacious,perspicuous,piercing,politic,provident,prudent,quick,quick-witted,ready,resourceful,sagacious,sage,savvy,scheming,serpentine,sharp,shifty,shrewd,slick,slippery,sly,smooth,snaky,sneaky,sophistical,stealthy,strategic,subtile,subtle,supple,tactical,trenchant,trickish,tricksy,tricky,underhand,underhanded,understanding,vulpine,wary,wily,wise 1394 - asunder,adrift,all to pieces,apart,apart from,aside from,at a distance,away,away from,bipartite,by two,dichotomous,discontinuous,discrete,distal,distant,distinct,divergent,exotic,far,far off,faraway,fifty-fifty,half-and-half,in half,in halves,in the abstract,in twain,in two,incoherent,insular,long-distance,long-range,noncohesive,one by one,partitioned,piecemeal,remote,removed,separate,separated,separately,severally,sky-high,to shreds,unassociated,unattached,unattended,unconnected,unjoined 1395 - asylum,VA hospital,almshouse,base hospital,bedlam,bird sanctuary,bolt-hole,bughouse,cache,clinic,community hospital,concealment,convalescent home,convalescent hospital,corner,cover,covert,coverture,cranny,crazy house,cubby,cubbyhole,dark corner,den,dugout,evacuation hospital,farm,field hospital,forest preserve,foster home,foxhole,funk hole,game preserve,game sanctuary,general hospital,halfway house,harbor,harbor of refuge,harborage,haven,hideaway,hideout,hidey hole,hiding,hiding place,hole,home,hospice,hospital,hospitium,infirmary,inpatient clinic,insane asylum,institution,inviolability,lair,lunatic asylum,madhouse,maison de sante,mental home,mental hospital,mental institution,niche,nook,nursing home,nuthouse,orphanage,osteopathic hospital,outpatient clinic,padded cell,policlinic,polyclinic,poor farm,poorhouse,port,preserve,private hospital,proprietary hospital,psychiatric ward,psychopathic hospital,public hospital,recess,refuge,rest home,retreat,safe haven,safehold,sanatorium,sanctuary,secret place,security,shelter,sick bay,sickbed,sickroom,snug harbor,special hospital,stash,state hospital,station hospital,stronghold,surgical hospital,teaching hospital,undercovert,veterans hospital,voluntary hospital,ward,well-baby clinic,workhouse 1396 - asymmetric,anamorphous,askew,bent,bowed,cockeyed,contorted,crazy,crooked,crumpled,crunched,deviative,disparate,disproportionate,distorted,ill-matched,ill-proportioned,ill-sorted,inadequate,insufficient,irregular,labyrinthine,lopsided,mismatched,nonsymmetric,odd,one-sided,out of proportion,skew,skewed,sprung,tortuous,twisted,unequal,uneven,unsymmetric,warped 1397 - asymmetrical,anamorphous,askew,asymmetric,bent,bowed,cockeyed,contorted,crazy,crooked,crumpled,crunched,deviative,disparate,disproportionate,distorted,ill-matched,ill-sorted,inadequate,insufficient,irregular,labyrinthine,lopsided,mismatched,nonsymmetric,odd,one-sided,out of proportion,skew,skewed,sprung,tortuous,twisted,unequal,uneven,unsymmetric,warped 1398 - asymmetry,ambiguity,ambivalence,anamorphism,anamorphosis,antinomy,buckle,contortion,contrariety,crookedness,detorsion,deviation,difference,disequilibrium,disparity,disproportion,disproportionateness,distortion,equivocality,gnarl,heresy,heterodoxy,heterogeneity,imbalance,inadequacy,incoherence,incommensurability,incompatibility,incongruity,inconsistency,inconsonance,inequality,inequity,injustice,insufficiency,irreconcilability,irregularity,knot,lopsidedness,nonconformability,nonconformity,nonuniformity,odds,overbalance,oxymoron,paradox,quirk,screw,self-contradiction,shortcoming,torsion,tortuosity,turn,twist,unbalance,unconformability,unconformity,unevenness,unfair discrimination,unorthodoxy,unsymmetry,warp,wrench,wrest,wring 1399 - asymptote,approach,bottleneck,collision course,concentralization,concentration,concourse,concurrence,confluence,conflux,congress,convergence,converging,crossing,focalization,focus,funnel,hub,meeting,mutual approach,narrowing gap,radius,spokes,tangent 1400 - at a loss,addled,at a nonplus,at a stand,at a standstill,at an impasse,baffled,bamboozled,beat,bewildered,buffaloed,confounded,dazed,floored,fuddled,in a dilemma,in suspense,in the red,licked,muddled,mystified,nonplussed,on tenterhooks,out,out of pocket,perplexed,puzzled,stuck,stumped,thrown,to the bad,unprofitably 1401 - at a standstill,adamant,adamantine,as is,as per usual,as things are,as usual,at a halt,at a loss,at a nonplus,at a stand,at an impasse,at anchor,baffled,bewildered,dead-still,firm,fixed,frozen,idle,immobile,immotile,immotive,immovable,inactive,inflexible,irremovable,motionless,moveless,mystified,nonplussed,out of commission,pat,perplexed,quiescent,riding at anchor,rigid,sedentary,standpat,static,stationary,statuelike,still,stock-still,stuck,stumped,unactive,unemployed,unmovable,unmoved,unmoving,unyielding 1402 - at all,anyhow,anyway,anywise,at any cost,at any rate,by any chance,by any means,by merest chance,ever,however,if at all,in any case,in any event,in any way,irregardless,nevertheless,nohow,nonetheless,of any description,of any kind,regardless,soever,whatever,whatsoever 1403 - at any cost,at all,at all costs,at all events,at all risks,at any price,by any chance,by any means,by merest chance,come what may,despite,even with,ever,if at all,in any way,in despite of,in spite of,irregardless,irrespective of,live or die,rain or shine,regardless,regardless of,regardless of cost,ruat caelum,sink or swim,spite of,whatever may happen,whatever the cost,with 1404 - at any rate,absolutely,after a fashion,after all,again,albeit,all the same,although,and no mistake,anyhow,anyway,anywise,appreciably,assuredly,at all,at all events,at best,at least,at most,at the least,at the most,at the outside,at worst,but,by all means,by any means,certainly,clearly,comparatively,decidedly,decisively,definitely,detectably,distinctly,even,even so,fairly,for a certainty,for a fact,for all that,for certain,for sure,forsooth,howbeit,however,in a manner,in a way,in any case,in any event,in any way,in part,in some measure,in truth,incompletely,indeed,indeedy,irregardless,just the same,leastwise,merely,mildly,moderately,modestly,most assuredly,most certainly,nevertheless,nohow,nonetheless,not comprehensively,not exhaustively,nothing else but,notwithstanding,of course,only,part,partially,partly,positively,pro tanto,purely,rather,regardless,relatively,simply,so far,somewhat,still,surely,though,thus far,to a certainty,to a degree,to some degree,tolerably,truly,unequivocally,unmistakably,visibly,when,yet 1405 - at cross purposes,adversative,adverse,adverse to,adversive,against,against the grain,against the tide,against the wind,antagonistic,anti,antipathetic,antithetic,antonymous,at cross-purposes with,at daggers,at daggers drawn,at enmity,at feud,at issue,at loggerheads,at odds,at outs,at square,at strife,at variance,at war,at war with,athwart,balancing,clashing,compensating,con,conflicting,confronting,contra,contradictory,contradistinct,contrapositive,contrarious,contrariwise,contrary,contrasted,converse,counter,counter to,counterbalancing,counterpoised,countervailing,cranky,cross,dead against,differing,disaccordant,disagreeable,disagreeing,discordant,discrepant,disharmonious,disproportionate,dissident,dissonant,divergent,eyeball to eyeball,eyeball-to-eyeball,grating,hostile,immiscible,in conflict with,in confrontation,in hostile array,in opposition,in opposition to,inaccordant,incompatible,inconsistent,inharmonious,inimical,inverse,jangling,jarring,negative,obverse,on the outs,opposed,opposed to,opposing,opposite,oppositional,oppositive,oppugnant,out of accord,out of whack,perverse,repugnant,reverse,squared off,uncongenial,unharmonious,up in arms,variant,versus,vis-a-vis,with crossed bayonets 1406 - at ease,abed,accepting,at home,at rest,comfortable,composed,content,contented,easy,easygoing,eupeptic,euphoric,happy,in bed,of good comfort,pleased,reconciled,relaxed,resigned,sans souci,satisfied,uncomplaining,unrepining,without care 1407 - at fault,aberrant,abroad,adrift,all abroad,all off,all wrong,amiss,arraignable,askew,astray,awry,beside the mark,censurable,corrupt,criminal,culpable,deceptive,defective,delusive,deviant,deviational,deviative,distorted,errant,erring,erroneous,fallacious,false,faultful,faulty,flawed,guilty,heretical,heterodox,illogical,illusory,impeachable,implicated,inculpated,indictable,involved,not right,not true,off,off the track,out,peccant,perverse,perverted,reprehensible,reproachable,reprovable,self-contradictory,straying,to blame,unfactual,unorthodox,unproved,untrue,wide,wrong 1408 - at hand,about,about to be,accessible,adaptable,all-around,along toward,already in sight,approaching,around,at close quarters,attendant,available,brewing,close,close about,close at hand,close by,coming,convenient,convenient to,easily reached,fast by,forthcoming,future,gathering,going to happen,handy,hard,hard by,hereabout,hereabouts,immanent,immediate,imminent,impendent,impending,in danger imminent,in prospect,in reserve,in spitting distance,in store,in the cards,in the offing,in the wind,in view,indwelling,inherent,instant,looming,lowering,lurking,menacing,near,near at hand,nearabout,nearabouts,nearby,nearing,nigh,nigh about,not far,of all work,on board,on call,on deck,on hand,on tap,on the horizon,only a step,overhanging,preparing,present,propinquant,propinquous,ready,ready at hand,that will be,thereabout,thereabouts,threatening,to come,to hand,upcoming,versatile,waiting,within call,within earshot,within hearing,within reach,within sight 1409 - at home,affair,assemblee,assembly,assignation,at ease,at rest,back home,ball,brawl,caucus,chez soi,colloquium,commission,committee,conclave,concourse,congregation,congress,conventicle,convention,convocation,council,dance,date,diet,down home,easy,eisteddfod,festivity,fete,forgathering,forum,gathering,get-together,housewarming,levee,matinee,meet,meeting,panel,party,plenum,prom,quorum,rally,reception,relaxed,rendezvous,reunion,salon,seance,session,shindig,sit-in,sitting,sociable,social,social affair,social gathering,soiree,symposium,synod,turnout,wake 1410 - at issue,against the grain,against the tide,against the wind,arguable,at cross-purposes,at daggers,at daggers drawn,at odds,at variance,at war with,athwart,before the house,conditional,conditioned,confutable,conjectural,contestable,contingent,contra,contrariwise,controversial,controvertible,counter,cross,debatable,deniable,dependent,depending,disputable,doubtable,doubtful,dubious,dubitable,eyeball-to-eyeball,iffy,in confrontation,in debate,in dispute,in doubt,in dubio,in hostile array,in opposition,in question,in suspense,in the balance,mistakable,moot,on the agenda,on the docket,on the floor,on the table,open,open for discussion,open to doubt,open to question,pendent,pending,problematic,questionable,refutable,speculative,sub judice,suppositional,suspect,suspenseful,suspicious,uncounted,undecided,under active consideration,under advisement,under consideration,under examination,under investigation,under surveillance,undetermined,unestablished,unfixed,unsettled,untold,up for grabs,up in arms,with crossed bayonets 1411 - at large,across the board,afoot and lighthearted,all,all in all,all put together,all things considered,altogether,as a body,as a rule,as a whole,as an approximation,at length,at liberty,bodily,broadly,broadly speaking,by and large,chiefly,clear,collectively,commonly,corporately,detached,diffusely,disengaged,dispersedly,easygoing,emancipated,en bloc,en masse,entirely,escaped,everywhere,fled,flown,footloose,footloose and fancy-free,free,free and easy,free as air,freeborn,freed,fugitive,generally,generally speaking,go-as-you-please,here and there,in a body,in all,in all quarters,in all respects,in bulk,in detail,in extenso,in full,in general,in its entirety,in places,in spots,in the aggregate,in the clear,in the gross,in the lump,in the mass,in toto,liberated,loose,mainly,mostly,normally,on all counts,on balance,on the loose,on the whole,ordinarily,out of,overall,passim,predominantly,prevailingly,released,roughly,roughly speaking,routinely,runaway,scot-free,sparsely,sparsim,speaking generally,sporadically,throughout,totally,tout ensemble,unattached,uncommitted,unengaged,uninvolved,usually,well out of,wherever you look,wholly 1412 - at length,ad infinitum,along,at large,at last,at long last,at the end,at the last,completely,conclusively,endlong,endways,endwise,eventually,extensively,finally,fully,in conclusion,in detail,in extenso,in fine,in full,in length,in particular,in toto,last,lastly,lengthily,lengthways,lengthwise,longitudinally,longways,longwise,minutely,once for all,particularly,specifically,ultimately,wholly 1413 - at liberty,afoot and lighthearted,at large,available,clear,detached,disengaged,easygoing,emancipated,fallow,footloose,footloose and fancy-free,free,free and easy,free as air,freeborn,freed,go-as-you-please,idle,in the clear,jobless,leisure,leisured,liberated,loose,lumpen,off,off duty,off work,on the loose,otiose,out of employ,out of harness,out of work,released,scot-free,unattached,uncommitted,unemployable,unemployed,unengaged,uninvolved,unoccupied 1414 - at most,after a fashion,appreciably,at any rate,at best,at least,at the least,at the most,at the outside,at worst,comparatively,detectably,fairly,in a manner,in a way,in part,in some measure,incompletely,leastwise,merely,mildly,moderately,modestly,not comprehensively,not exhaustively,only,part,partially,partly,pro tanto,purely,relatively,simply,so far,somewhat,thus far,to a degree,to some degree,tolerably,visibly 1415 - at odds,against the grain,against the tide,against the wind,alienated,antagonistic,antiestablishment,antipathetic,assorted,at cross-purposes,at daggers,at daggers drawn,at enmity,at feud,at issue,at loggerheads,at odds with,at outs,at square,at strife,at variance,at variance with,at war,at war with,athwart,averse,breakaway,clashing,contra,contradictory,contrariwise,contrary,contrasted,contrasting,counter,counter-culture,cranky,cross,cursory,departing,deviating,deviative,different,differentiated,differing,disaccordant,disagreeable,disagreeing,discordant,discrepant,discrete,discriminated,disharmonious,disinclined,disjoined,disobedient,disparate,disproportionate,dissentient,dissenting,dissident,dissimilar,dissonant,distinct,distinguished,divergent,diverging,divers,diverse,diversified,eyeball-to-eyeball,forced,fractious,grating,heterogeneous,hostile,immiscible,in confrontation,in disagreement,in hostile array,in opposition,inaccordant,incompatible,incongruous,inconsistent,inconsonant,indisposed,indocile,inharmonious,involuntary,irreconcilable,jangling,jarring,many,motley,multifarious,mutinous,negative,nonconforming,on the outs,opposed,opposing,out of accord,out of whack,perfunctory,poles apart,poles asunder,recalcitrant,recusant,refractory,repugnant,resistant,sectarian,sectary,separate,separated,several,sulky,sullen,unconformable,uncongenial,unconsenting,underground,unequal,unharmonious,unlike,unwilling,up in arms,variant,varied,variegated,various,varying,widely apart,with crossed bayonets,worlds apart 1416 - at once,PDQ,all at once,all together,amain,apace,as one,at a blow,at a stroke,at one blow,at one jump,at one stroke,at one swoop,at one time,by forced marches,coincidentally,coinstantaneously,concurrently,conjointly,corporately,cursorily,decisively,directly,expeditiously,feverishly,forthwith,furiously,hand over fist,hastily,helter-skelter,hotfoot,hurriedly,hurry-scurry,immediately,in a hurry,in agreement,in common,in concord,in no time,in partnership,in passing,in unison,inharmony,instanter,instantly,jointly,mutually,now,on the instant,on the run,on the spot,pell-mell,per saltum,pretty damned quick,promptly,pronto,quickly,right away,right now,right off,simultaneously,slapdash,smartly,speedily,straightaway,straightway,subito,summarily,superficially,swiftly,then and there,this minute,this very minute,together,uno saltu,with a rush,with all haste,with all speed,with dispatch,with haste,without delay,without further delay 1417 - at one,accordant,affirmative,agreeable,agreeing,akin,amicable,answerable,at one with,attuned,carried by acclamation,coexistent,coexisting,coherent,coincident,coinciding,commensurate,compatible,concordant,concurrent,concurring,conformable,congenial,congruent,congruous,consentaneous,consentient,consistent,consonant,cooperating,cooperative,correspondent,corresponding,empathetic,empathic,en rapport,equivalent,frictionless,harmonious,in accord,in agreement,in concert,in rapport,in sync,in synchronization,in tune,inaccordance,inharmony,like-minded,of a piece,of like mind,of one accord,of one mind,on all fours,peaceful,positive,proportionate,reconcilable,self-consistent,solid,symbiotic,sympathetic,synchronized,synchronous,together,unanimous,unchallenged,uncontested,uncontradicted,uncontroverted,understanding,uniform,unisonant,unisonous,united,unopposed,with one consent,with one voice 1418 - at random,aimlessly,any which way,anyhow,anywise,around,at haphazard,at hazard,at intervals,at irregular intervals,brokenly,by catches,by chance,by fits,by jerks,by snatches,capriciously,carelessly,casually,desultorily,disconnectedly,discontinuously,dysteleologically,eccentrically,erratically,fitfully,haltingly,haphazard,haphazardly,helter-skelter,hit or miss,in snatches,in spots,inconstantly,indiscriminately,inexplicably,intermittently,irregularly,jerkily,lurchingly,nonuniformly,off and on,patchily,promiscuously,purposelessly,random,randomly,roughly,sloppily,spasmodically,sporadically,spottily,stochastically,unaccountably,uncertainly,unevenly,unmethodically,unpredictably,unrhythmically,unsteadily,unsystematically,variably,whimsically,wobblingly 1419 - at rest,abed,asleep,asleep in Jesus,at ease,at home,bereft of life,breathless,called home,calm,carrion,cloistered,cool,croaked,dead,dead and gone,death-struck,deceased,defunct,demised,departed,departed this life,destitute of life,done for,dwindling,easy,ebbing,even-tenored,exanimate,fallen,finished,food for worms,gone,gone to glory,gone west,halcyon,hushed,impassive,in bed,inanimate,isolated,late,late lamented,launched into eternity,lifeless,martyred,moldering,no more,pacific,passed on,peaceable,peaceful,placid,pushing up daisies,quiescent,quiet,relaxed,released,reposeful,reposing,restful,resting,resting easy,resting in peace,sainted,secluded,sequestered,sequestrated,sheltered,sleeping,smitten with death,smooth,still,still as death,stillborn,stillish,stilly,stoic,stolid,subsiding,taken away,taken off,tranquil,unagitated,underground,undisturbed,unmoved,unperturbed,unruffled,unstirring,untroubled,waning,with the Lord,with the saints,without life,without vital functions 1420 - at sea,abashed,abroad,adrift,afloat,astray,bewildered,bothered,by sea,by water,clueless,confused,discomposed,disconcerted,dismayed,disoriented,distracted,distraught,disturbed,embarrassed,guessing,homeward bound,in a fix,in a maze,in a pickle,in a scrape,in a stew,in blue water,in soundings,lost,making way,mazed,off soundings,off the course,off the heading,off the track,perturbed,put-out,turned around,under bare poles,under sail,under way,upset,with sails spread,with way on,without a clue 1421 - at the same time,above,ad interim,additionally,after all,again,albeit,all included,all the same,all together,also,although,altogether,among other things,and all,and also,and so,as far as,as long as,as one,as one man,as well,at a clip,at all events,at any rate,at one time,at that time,at which time,au reste,beside,besides,between acts,betweentimes,betweenwhiles,beyond,but,coinstantaneously,concurrently,contemporaneously,during the interval,during which time,else,en attendant,en plus,even,even so,extra,farther,for a time,for all that,for lagniappe,for the meantime,for the nonce,further,furthermore,howbeit,however,in a chorus,in addition,in any case,in any event,in chorus,in concert with,in phase,in sync,in the interim,in the meanwhile,in unison,inter alia,into the bargain,isochronously,item,just the same,likewise,meantime,meanwhile,more,moreover,nevertheless,nonetheless,notwithstanding,on that occasion,on the beat,on the side,on top of,over,pendente lite,plus,rather,similarly,simultaneously,still,synchronously,the while,then,therewith,though,to boot,together,too,until then,when,whereas,while,whilst,with one voice,yet 1422 - at variance,against the grain,against the tide,against the wind,alienated,antagonistic,antiestablishment,antipathetic,assorted,at cross-purposes,at daggers,at daggers drawn,at enmity,at feud,at issue,at loggerheads,at odds,at odds with,at outs,at square,at strife,at variance with,at war,at war with,athwart,breakaway,clashing,contra,contradictory,contrariwise,contrary,contrasted,contrasting,counter,counter-culture,cranky,cross,departing,deviating,deviative,different,differentiated,differing,disaccordant,disagreeable,disagreeing,discordant,discrepant,discrete,discriminated,disharmonious,disjoined,disparate,disproportionate,dissentient,dissenting,dissident,dissimilar,dissonant,distinct,distinguished,divergent,diverging,divers,diverse,diversified,eyeball-to-eyeball,grating,heterogeneous,hostile,immiscible,in confrontation,in disagreement,in hostile array,in opposition,inaccordant,incompatible,incongruous,inconsistent,inconsonant,inharmonious,irreconcilable,jangling,jarring,many,motley,multifarious,negative,nonconforming,on the outs,opposing,out of accord,out of whack,poles apart,poles asunder,recusant,repugnant,sectarian,sectary,separate,separated,several,unconformable,uncongenial,underground,unequal,unharmonious,unlike,up in arms,variant,varied,variegated,various,varying,widely apart,with crossed bayonets,worlds apart 1423 - at war,against the grain,against the tide,against the wind,antagonistic,antipathetic,at cross-purposes,at daggers,at daggers drawn,at feud,at issue,at loggerheads,at odds,at square,at strife,at variance,at war with,athwart,clashing,contra,contradictory,contrariwise,contrary,counter,cranky,cross,differing,disaccordant,disagreeable,disagreeing,discordant,discrepant,disharmonious,disproportionate,dissident,dissonant,divergent,eyeball-to-eyeball,grating,hostile,immiscible,in confrontation,in hostile array,in opposition,inaccordant,incompatible,inharmonious,jangling,jarring,negative,out of accord,out of whack,repugnant,uncongenial,unharmonious,up in arms,variant,with crossed bayonets 1424 - ataraxy,accidia,acedia,aloofness,apathy,ataraxia,benumbedness,blah,blahs,bovinity,calmness,carelessness,casualness,comatoseness,composure,contemplation,coolness,detachment,disinterest,dispassion,dispassionateness,disregard,disregardfulness,dullness,easy temper,easygoingness,even temper,good temper,heartlessness,hebetude,heedlessness,hopelessness,impassiveness,impassivity,imperturbability,imperturbableness,inappetence,inattention,incuriosity,indifference,indiscrimination,inexcitability,inexcitableness,inirritability,insouciance,lack of affect,lack of appetite,lackadaisicalness,languidness,lethargicalness,lethargy,listlessness,lucid stillness,marmoreal repose,mindlessness,negligence,nirvana,nonchalance,numbness,passiveness,passivity,patience,peace,peacefulness,phlegm,phlegmaticalness,phlegmaticness,placidity,placidness,plucklessness,pococurantism,quiescence,quiescency,quiet,quietism,quietness,quietude,recklessness,regardlessness,repose,resignation,resignedness,rest,restfulness,sangfroid,satori,serenity,silence,silken repose,sleep,sloth,sluggishness,slumber,smooth temper,sopor,soporifousness,spiritlessness,spunklessness,steadiness,stillness,stoicism,stolidity,stupefaction,stupor,supineness,torpidity,torpidness,torpor,tranquillity,unanxiousness,unconcern,unirritableness,unmindfulness,unnervousness,unpassionateness,unsolicitousness,wise passiveness,withdrawnness 1425 - atavism,Mnemosyne,aboriginality,affect memory,age,ancien regime,ancientness,anterograde memory,antiquity,backset,backward deviation,cobwebs of antiquity,collective memory,computer memory,disk memory,drum memory,dust of ages,eld,elderliness,eldership,emotional response,engram,falling back,great age,hoary age,hoary eld,information storage,inveteracy,kinesthetic memory,lapse,memory,memory bank,memory circuit,memory trace,mind,mneme,old age,old order,old style,oldness,primitiveness,primogeniture,primordialism,primordiality,race memory,recollection,recrudescence,recurrence,regression,relapse,remembrance,renewal,return,reversal,reverse,reversion,screen memory,senility,seniority,setback,skill,souvenir,tape memory,throwback,venerableness,verbal response,visual memory 1426 - atavistic,aboriginal,ancestral,antepatriarchal,autochthonous,bodily,born,coeval,congenital,connatal,connate,connatural,constitutional,genetic,hereditary,humanoid,in the blood,inborn,inbred,incarnate,indigenous,inherited,innate,instinctive,instinctual,native,native to,natural,natural to,organic,patriarchal,physical,preadamite,preglacial,prehistoric,prehuman,primal,prime,primeval,primitive,primogenial,primoprimitive,primordial,pristine,protohistoric,protohuman,reactionary,recessive,recidivist,recidivous,regressive,retrograde,retrogressive,retrorse,retroverse,returnable,reversible,reversional,reversionary,revertible,revulsionary,temperamental 1427 - atelier,agency,barbershop,beauty parlor,beauty shop,bench,butcher shop,company,concern,corporation,desk,establishment,facility,firm,gallery,house,installation,institution,library,loft,office,organization,parlor,sail loft,shop,stacks,studio,study,sweatshop,work site,work space,workbench,workhouse,working space,workplace,workroom,workshop,worktable 1428 - atheism,agnosticism,apostasy,backsliding,denial,desertion,disbelief,discredit,faithlessness,fall from grace,gentilism,heresy,impiety,impiousness,inability to believe,incredulity,infidelity,irreligion,irreverence,lapse,lapse from grace,minimifidianism,misbelief,nonbelief,nullifidianism,recidivism,recreancy,rejection,secularism,unbelief,unbelievingness,undutifulness 1429 - atheist,Sabbath-breaker,apostate,backslider,blasphemer,deserter,disbeliever,gentile,heathen,infidel,minimifidian,nonbeliever,nullifidian,pagan,recidivist,recreant,renegade,sacrilegist,secularist,unbeliever 1430 - atheistic,apostate,atheist,backsliding,blasphemous,disbelieving,faithless,fallen,fallen from grace,gentile,goyish,heathen,impious,infidel,infidelic,irreligious,irreverent,lapsed,minimifidian,misbelieving,non-Christian,non-Jewish,non-Mohammedan,non-Mormon,non-Moslem,non-Muhammadan,non-Muslim,nullifidian,pagan,profanatory,profane,recidivist,recidivistic,recreant,renegade,sacrilegious,unbelieving,unchristian,uncircumcised,undutiful 1431 - Athena,Agdistis,Amor,Aphrodite,Apollo,Apollon,Ares,Artemis,Ate,Bacchus,Bellona,Ceres,Cora,Cronus,Cupid,Cybele,Demeter,Despoina,Diana,Dionysus,Dis,Enyo,Eros,Gaea,Gaia,Ge,Great Mother,Hades,Helios,Hephaestus,Hera,Here,Hermes,Hestia,Hymen,Hyperion,Jove,Juno,Jupiter,Jupiter Fidius,Jupiter Fulgur,Jupiter Optimus Maximus,Jupiter Pluvius,Jupiter Tonans,Kore,Kronos,Magna Mater,Mars,Mercury,Minerva,Mithras,Momus,Neptune,Nike,Odin,Olympians,Olympic gods,Ops,Orcus,Persephassa,Persephone,Phoebus,Phoebus Apollo,Pluto,Poseidon,Proserpina,Proserpine,Rhea,Saturn,Tellus,Tiu,Tyr,Venus,Vesta,Vulcan,Woden,Wotan,Zeus 1432 - atherosclerosis,angina,angina pectoris,aortic insufficiency,aortic stenosis,apoplectic stroke,apoplexy,arrhythmia,arteriosclerosis,atrial fibrillation,auricular fibrillation,beriberi heart,calcification,callusing,cardiac arrest,cardiac insufficiency,cardiac shock,cardiac stenosis,cardiac thrombosis,carditis,case hardening,concretion,congenital heart disease,cor biloculare,cor juvenum,cor triatriatum,cornification,coronary,coronary insufficiency,coronary thrombosis,crystallization,diastolic hypertension,encased heart,endocarditis,extrasystole,fatty heart,fibroid heart,firming,flask-shaped heart,fossilization,frosted heart,granulation,hairy heart,hardening,heart attack,heart block,heart condition,heart disease,heart failure,high blood pressure,hornification,hypertension,hypertensive heart disease,induration,ischemic heart disease,lapidification,lithification,mitral insufficiency,mitral stenosis,myocardial infarction,myocardial insufficiency,myocarditis,myovascular insufficiency,ossification,ox heart,palpitation,paralytic stroke,paroxysmal tachycardia,pericarditis,petrifaction,petrification,pile,premature beat,pseudoaortic insufficiency,pulmonary insufficiency,pulmonary stenosis,rheumatic heart disease,round heart,sclerosis,setting,solidification,steeling,stiffening,stony heart,stroke,tachycardia,tempering,thrombosis,toughening,tricuspid insufficiency,tricuspid stenosis,turtle heart,varicose veins,varix,ventricular fibrillation,vitrifaction,vitrification 1433 - athlete,amateur athlete,archer,ballplayer,baseballer,baseman,batter,battery,blocking back,bowman,catcher,center,coach,competitor,cricketer,defensive lineman,end,footballer,games-player,gamester,guard,infielder,jock,jumper,lineman,offensive lineman,outfield,outfielder,player,poloist,professional athlete,pugilist,quarterback,racer,skater,sport,sportsman,tackle,tailback,toxophilite,wingback,wrestler 1434 - athletic,able-bodied,acrobatic,active,agonistic,brawny,broad-shouldered,burly,energetic,gymnastic,muscle-bound,muscular,palaestral,sinewy,sporting,sports,strenuous,thewy,thickset,vigorous,well-built,well-knit,well-set,well-set-up,wiry 1435 - athletics,Rugby,acrobatics,agonistics,amusement,association football,bathing,breather,calisthenics,diversion,drill,entertainment,exercise,exercising,games,gymnastic exercises,gymnastics,isometrics,natation,palaestra,pastime,physical education,physical jerks,practice,recreation,rugger,setting-up exercises,soccer,sports,stretch,swimming,track,track and field,tumbling,workout,yoga 1436 - athwart,across,across the grain,adverse to,against,against the grain,against the tide,against the wind,at cross-purposes,at cross-purposes with,at daggers,at daggers drawn,at issue,at odds,at variance,at war with,athwartships,bendwise,beyond,bias,biased,biaswise,catercorner,catercornered,con,contra,contrariwise,contrawise,counter,counter to,crisscross,cross,cross-grained,crossway,crossways,crosswise,dead against,diagonal,eyeball-to-eyeball,in conflict with,in confrontation,in hostile array,in opposition,in opposition to,kittycorner,oblique,obliquely,opposed to,over,overthwart,sideways,sidewise,slant,thwart,thwartly,thwartways,transversal,transverse,transversely,traverse,up in arms,versus,vis-a-vis,with crossed bayonets 1437 - Atlas,Antaeus,Asp,Asroc,Atlas-Agena,Atlas-Centaur,Briareus,Brobdingnagian,Bullpup,Cajun,Charles Atlas,Corporal,Corvus,Crossbow,Cyclops,Dart,Deacon,Delta,Diamant,Dove,Falcon,Firebee,Gargantua,Genie,Goliath,Hawk,Hercules,Holy Moses,Hound Dog,Jupiter,Lacrosse,Lark,Loki,Loon,Mace,Matador,Navaho,Nike,Nike Ajax,Orion,Pershing,Petrel,Polaris,Polyphemus,Poseidon,Quail,Ram,Rascal,Redeye,Redstone,Regulus I,SLAM,Samson,Saturn,Scout,Sentinel,Sergeant,Shillelagh,Sidewinder,Skybolt,Snark,Spaerobee,Sparrow,Subroc,Super Talos,Superman,Talos,Tartar,Tarzan,Telamon,Terrier,Thor,Thor Able Star,Thor-Agena,Thor-Delta,Tiny Tim,Titan,V-2,Viking,WAC-Corporal,Wagtail,Zuni,bully,bullyboy,colossus,giant,gorilla,muscle man,powerhouse,stalwart,strong man,strong-arm man,the mighty,the strong,tough,tough guy,tower of strength 1438 - atlas,Lambert conformal projection,Mercator projection,Miller projection,aeronautical chart,arcade,astronomical chart,azimuthal equidistant projection,azimuthal projection,calendar,cartographer,cartography,caryatid,casebook,catalog,catalogue raisonne,celestial chart,celestial globe,chart,chorographer,chorography,city directory,classified catalog,climatic chart,colonnade,colonnette,column,concordance,conic projection,contour line,contour map,cyclopedia,cylindrical projection,diatesseron,dictionary catalog,directory,encyclopedia,gazetteer,general reference map,globe,gnomonic projection,graphic scale,grid line,hachure,harmony,heliographic chart,hydrographic chart,index,isoline,latitude,layer tint,legend,longitude,map,map maker,map projection,mapper,meridian,parallel,peristyle,phone book,photogrammetrist,photogrammetry,photomap,phototopography,physical map,pier,pilaster,pillar,political map,polyconic projection,polyglot,portico,post,projection,record book,reference book,relief map,representative fraction,road map,scale,sinusoidal projection,source book,special map,studbook,telamon,telephone book,telephone directory,terrain map,terrestrial globe,thematic map,topographer,topographic chart,topography,transportation map,weather chart,weather map,work of reference 1439 - atman,anima,anima humana,animating force,astral body,ba,bathmism,beating heart,biological clock,biorhythm,blood,breath,breath of life,buddhi,divine breath,divine spark,ego,elan vital,essence of life,force of life,gross body,growth force,heart,heartbeat,heartblood,impulse of life,inner man,inspiriting force,jiva,jivatma,kama,khu,life breath,life cycle,life essence,life force,life principle,life process,lifeblood,linga sharira,living force,manas,manes,mind,nephesh,physical body,pneuma,prana,principle of desire,psyche,purusha,ruach,seat of life,shade,shadow,soul,spark of life,spirit,spiritual being,spiritus,sthula sharira,the self,vis vitae,vis vitalis,vital energy,vital flame,vital fluid,vital force,vital principle,vital spark,vital spirit 1440 - atmosphere,action,aerial,aerodynamics,aerosphere,air,ambience,ambient,anagnorisis,angle,architectonics,architecture,argument,arrangement,atmospheric,aura,background,balance,biosphere,brushwork,catastrophe,character,characteristic,characterization,climate,color,complication,composition,continuity,contrivance,denouement,design,development,device,draftsmanship,ecosphere,episode,fable,falling action,feel,feeling,flavor,fluid,gas,gaseous envelope,gimmick,grouping,halogen gas,impression,incident,individuality,inert gas,lift,line,local color,medium,milieu,mise-en-scene,mood,motif,movement,mythos,noosphere,note,overtone,painterliness,peculiarity,peripeteia,perspective,plan,plot,pneumatic,pneumatics,property,quality,recognition,rising action,scheme,secondary plot,semblance,sense,shading,shadow,slant,spirit,story,structure,subject,subplot,suggestion,surroundings,switch,technique,thematic development,theme,tone,topic,treatment,twist,undertone,values,welkin 1441 - atoll,ait,archipelago,bar,cay,continental island,coral head,coral island,coral reef,holm,insularity,island,island group,islandology,isle,islet,key,oceanic island,reef,sandbank,sandbar 1442 - atom smashing,alpha decay,atom-chipping,atomic disintegration,atomic reaction,atomization,beta decay,bombardment,breeding,bullet,chain reaction,cleavage,disintegration series,dissociation,exchange reaction,fission,fission reaction,gamma decay,ionization,neutron reaction,nonreversible reaction,nuclear fission,nucleization,photodisintegration,proton gun,proton reaction,reversible reaction,splitting the atom,stimulation,target,thermonuclear reaction 1443 - atom,Bohr atom,Dirac atom,I,Lewis-Langmuir atom,Thomson atom,ace,acid,acidity,agent,air,alkali,alkalinity,alloisomer,anion,antacid,atomic model,atomic particles,atoms,base,biochemical,bit,brute matter,building block,cation,chemical,chemical element,chromoisomer,component,compound,constituent,copolymer,cubical atom,dab,dash,dimer,dole,dot,dram,dribble,driblet,dwarf,dyad,earth,electron,element,elementary particle,elementary unit,fabric,farthing,fire,fleck,flyspeck,fragment,fundamental particle,gobbet,grain,granule,groat,hair,handful,heavy chemicals,heptad,hexad,high polymer,homopolymer,hydracid,hyle,hypostasis,inorganic chemical,ion,iota,isobar,isomer,isotopic isobar,jot,labeled atom,little,little bit,lota,macromolecule,material,material world,materiality,matter,medium,meson,metamer,minim,minimum,minutiae,mite,modicum,molecule,monad,monomer,mote,natural world,nature,neutral atom,neutralizer,no other,nonacid,none else,normal atom,nothing else,nought beside,nuclear atom,nuclear isomer,nuclear particle,nuclide,nutshell,octad,one,one and only,organic chemical,ounce,oxyacid,particle,pebble,pentad,physical world,pinch,pittance,planetary shell,plenum,point,polymer,proton,pseudoisomer,quark,radiation atom,radical,reagent,recoil atom,scruple,shade,shell,smack,smidgen,smitch,soupcon,speck,spice,spoonful,spot,stripped atom,stuff,subshell,substance,substratum,suggestion,sulfacid,suspicion,tagged atom,tangible,tetrad,the four elements,thimbleful,tincture,tinge,tiny bit,tittle,touch,trace,tracer,tracer atom,triad,trifling amount,trimer,trivia,unit,unit of being,valence shell,water,whit 1444 - atomic,a certain,an,any,any one,atomatic,atomiferous,atomistic,corpuscular,cyclic,diatomic,dibasic,either,embryonic,evanescent,exclusive,germinal,granular,heteroatomic,heterocyclic,hexatomic,homocyclic,impalpable,imperceptible,imponderable,inappreciable,indiscernible,individual,indivisible,infinitesimal,intangible,integral,invisible,irreducible,isobaric,isocyclic,isoteric,isotopic,lone,microcosmic,microscopic,molecular,monadic,monatomic,monistic,one,pentatomic,simple,single,singular,sole,solid,solitary,subatomic,tenuous,tetratomic,thin,triatomic,tribasic,ultramicroscopic,unanalyzable,undivided,uniform,unique,unitary,unseeable,whole 1445 - atomism,Aristotelianism,Berkeleianism,Bohr theory,Bradleianism,Cynicism,Cyrenaic hedonism,Cyrenaicism,Dirac theory,Epicureanism,Fichteanism,Hegelianism,Heideggerianism,Heracliteanism,Herbartianism,Humism,Kantianism,Leibnizianism,Marxism,Mimamsa,Neo-Hegelianism,Neo-Pythagoreanism,Neoplatonism,Peripateticism,Platonism,Purva Mimamsa,Pyrrhonism,Pythagoreanism,Sankhya,Schellingism,Scotism,Socratism,Sophism,Sophistry,Spencerianism,Stoicism,Thomism,acosmism,agnosticism,animalism,animatism,animism,behaviorism,commonsense realism,correspondence principle,cosmotheism,criticism,deism,dialectical materialism,dualism,earthliness,eclecticism,egoism,empiricism,epiphenomenalism,ethics,eudaemonism,existentialism,hedonism,historical materialism,humanism,hylomorphism,hylotheism,hylozoism,idealism,immaterialism,individualism,intuitionism,law of parity,materialism,mechanism,mentalism,monism,mysticism,natural realism,naturalism,neocriticism,new realism,nominalism,octet theory,ontologism,ontology,optimism,organic mechanism,organicism,panpsychism,pantheism,pessimism,physicalism,physicism,pluralism,positive philosophy,positivism,pragmaticism,pragmatism,psychism,psychological hedonism,quantum theory,rationalism,realism,representative realism,secular humanism,secularism,semiotic,semiotics,sensationalism,skepticism,substantialism,syncretism,temporality,theism,transcendentalism,utilitarianism,voluntarism,worldliness 1446 - atomization,ablation,abrasion,aeration,aerification,alpha decay,alteration,analysis,anatomization,atom-chipping,atom-smashing,atomic disintegration,atomic reaction,attrition,beating,beta decay,bombardment,breakup,brecciation,breeding,bullet,chain reaction,change,circumstantiation,cleavage,comminution,corrosion,crumbling,crushing,decay,decomposition,degradation,demarcation,desynonymization,detrition,differencing,differentiation,dilapidation,discrimination,disequalization,disintegration,disintegration series,disjunction,disorganization,dissociation,dissolution,distillation,distinction,distinguishment,diversification,division,erosion,etherealization,etherification,evaporation,exchange reaction,exhalation,fission,fission reaction,fluidization,fractionation,fragmentation,fumigation,gamma decay,gasification,granulation,granulization,grating,grinding,incoherence,individualization,individuation,ionization,itemization,levigation,mashing,modification,neutron reaction,nonreversible reaction,nuclear fission,nucleization,particularization,personalization,photodisintegration,pounding,powdering,proton gun,proton reaction,ravages of time,resolution,reversible reaction,segregation,separation,severalization,severance,shredding,smashing,smoking,specialization,specification,splitting the atom,steaming,stimulation,sublimation,target,thermonuclear reaction,trituration,vaporization,variation,volatilization,wear,wear and tear 1447 - atomize,ablate,abrade,accelerate,activate,adduce,aerate,aerify,analyze,anatomize,beat,bombard,bray,break into pieces,break to pieces,break up,brecciate,carbonate,change,chlorinate,chop logic,circumstantiate,cite,cleave,come apart,comminute,consume,contriturate,corrode,crack up,crash,cross-bombard,crumb,crumble,crumble into dust,crunch,crush,cut to pieces,decay,decompose,demolish,descend to particulars,desynonymize,detail,difference,differentiate,diffuse,disassemble,discriminate,disequalize,disintegrate,disjoin,dismantle,disorganize,disperse,disrupt,dissolve,distill,distinguish,diversify,divide,document,dynamite,emit,enter into detail,erode,etherify,etherize,evaporate,exhale,fall to pieces,fission,flour,fluidize,fractionate,fragment,fume,fumigate,gasify,give full particulars,give off,grain,granulate,granulize,grate,grind,grind to powder,hydrogenate,individualize,individuate,instance,itemize,levigate,make a distinction,make mincemeat of,mark,mark off,mark out,mash,mill,mince,modify,molder,nucleize,oxygenate,particularize,perfume,personalize,pestle,pick to pieces,pound,powder,pull in pieces,pull to pieces,pulverize,reduce to powder,reduce to rubble,reek,refine a distinction,rend,rub out,ruin,scatter,scrunch,segregate,send out,separate,set apart,set off,sever,severalize,shard,shatter,shiver,shred,smash,smash the atom,smash up,smoke,specialize,specify,spell out,splinter,split,split hairs,spray,squash,squish,steam,sublimate,sublime,substantiate,sunder,take apart,tear apart,tear down,tear to pieces,tear to shreds,tear to tatters,total,triturate,unbuild,undo,unmake,vaporize,vary,volatilize,waste away,wear away,wrack up,wreck 1448 - atomizer,aerosol,aspergil,aspergillum,censer,clyster,concentrate sprayer,douche,enema,evaporator,fountain syringe,fumigator,incense burner,incensory,mist concentrate sprayer,needle bath,nozzle,odorator,odorizer,parfumoir,perfumer,pomander,potpourri,pouncet-box,purse atomizer,retort,sachet,scent bag,scent ball,scent bottle,scent box,scenter,shower,shower bath,shower head,smelling bottle,sparge,sparger,spray,spray can,sprayer,sprinkler,sprinkler head,sprinkling system,still,syringe,thurible,vaporizer,vinaigrette,watercart,watering can,watering pot 1449 - atonal,absonant,cacophonous,cracked,diaphonic,disconsonant,discordant,disharmonic,disharmonious,dissonant,flat,grating,harsh,immelodious,inharmonic,inharmonious,musicless,nonmelodious,off,off-key,off-tone,out of pitch,out of tone,out of tune,raucous,sharp,shrill,sour,strident,tuneless,unharmonious,unmelodious,unmusical,untunable,untuned,untuneful 1450 - atone,accord,answer,appease,assonate,atone for,attune,be harmonious,be in tune,blend,chime,chord,compensate,conciliate,cover,do penance,expiate,fill up,give and take,give satisfaction,harmonize,indemnify,kick back,live down,make amends,make compensation,make good,make matters up,make reparation,make restitution,make right,make up for,make up to,melodize,musicalize,pay,pay back,pay damages,pay in kind,pay the forfeit,pay the penalty,propitiate,put in tune,quit,recompense,recoup,rectify,redeem,redress,refund,reimburse,remedy,repair,repay,requite,retaliate,satisfy,set right,sound in tune,sound together,square,square it,square things,string,symphonize,synchronize,tone down,tone up,tune,tune up,voice 1451 - atonement,amends,appeasement,balancing,blood money,commutation,compensation,consideration,counteraction,counterbalancing,damages,expiation,guerdon,honorarium,indemnification,indemnity,lex talionis,making good,meed,offsetting,paying back,payment,penance,price,propitiation,quittance,recompense,rectification,redress,refund,reimbursement,remuneration,reparation,repayment,requital,requitement,restitution,retaliation,retribution,return,revenge,reward,salvage,satisfaction,smart money,solatium,squaring,substitution,wergild 1452 - atony,adynamia,anemia,blah feeling,bloodlessness,cachexia,cachexy,cowardice,debilitation,debility,dullness,etiolation,faintness,fatigue,feebleness,flabbiness,flaccidity,impotence,languishment,languor,lassitude,listlessness,prostration,sluggishness,softness,strengthlessness,weakliness,weakness,weariness 1453 - atrocious,Draconian,Tartarean,aberrant,abject,abnormal,abominable,abusive,acute,afflictive,agonizing,animal,anthropophagous,appalling,arrant,atrocious,awful,backhand,backhanded,bad,baneful,barbaric,barbarous,base,beastly,beggarly,beneath contempt,bestial,biting,black,blamable,blameworthy,bloodthirsty,bloody,bloody-minded,brutal,brutalized,brute,brutish,calumnious,cannibalistic,cheesy,contemptible,contumelious,cramping,criminal,cruel,cruel-hearted,crummy,crying,damnable,dark,debased,degraded,degrading,delinquent,demoniac,demoniacal,deplorable,depraved,desperate,despicable,detestable,deviant,devilish,diabolic,dire,dirty,disgraceful,disgusting,displeasing,distasteful,distressing,dreadful,egregious,enormous,evil,excruciating,execrable,fell,feral,ferine,ferocious,fetid,fiendish,fiendlike,fierce,filthy,flagitious,flagrant,foul,frightful,fulsome,ghastly,glaring,gnawing,grave,grievous,grim,griping,grisly,gross,gruesome,hard,hardly the thing,harrowing,harsh,hateful,heinous,hellish,hideous,horrendous,horrible,horrid,horrific,horrifying,humiliating,hurtful,hurting,icky,ignominious,illegal,improper,inappropriate,incorrect,indecorous,infamous,infernal,inhuman,inhumane,iniquitous,insolent,insulting,kill-crazy,knavish,lamentable,left-handed,little,loathsome,lousy,low,low-down,lumpen,malign,malignant,mangy,mean,measly,merciless,miserable,monstrous,murderous,nasty,naughty,nefarious,noisome,noncivilized,not done,not the thing,notorious,obnoxious,obscene,odious,off-base,off-color,offensive,out-of-line,outrageous,painful,paltry,paroxysmal,peccant,petty,piercing,pitiable,pitiful,pitiless,poignant,poky,poor,pungent,racking,rank,regrettable,reprehensible,reprobate,rotten,ruthless,sacrilegious,sad,sadistic,sanguinary,sanguineous,satanic,savage,scabby,scandalous,schlock,scrubby,scruffy,scummy,scurrile,scurrilous,scurvy,severe,shabby,shameful,shameless,sharkish,sharp,shocking,shoddy,shooting,sickening,sinful,slavering,small,sordid,spasmatic,spasmic,spasmodic,squalid,stabbing,stinging,subhuman,tameless,terrible,too bad,tormenting,torturous,tragic,truculent,unchristian,uncivilized,unclean,undue,unfit,unfitting,unforgivable,ungentle,unhuman,unlawful,unmentionable,unpardonable,unrighteous,unseemly,unspeakable,unsuitable,untamed,unworthy,vicious,vile,villainous,wicked,wild,woeful,wolfish,worst,worthless,wretched,wrong,wrongful 1454 - atrociously,abjectly,abominably,arrantly,awfully,barbarously,basely,bec et ongles,bestially,brutally,brutishly,contemptibly,cruelly,despicably,detestably,devilishly,diabolically,disgustingly,dreadful,dreadfully,egregiously,execrably,ferally,ferociously,fiendishly,fiercely,flagrantly,foully,fulsomely,grossly,heinously,horribly,horridly,infamously,inhumanely,inhumanly,loathsomely,meanly,mercilessly,miserably,monstrously,nastily,nauseatingly,nefariously,notoriously,obnoxiously,odiously,offensively,outrageously,pettily,pitilessly,poorly,ruthlessly,savagely,scandalously,scurvily,shabbily,shamefully,sharkishly,shockingly,shoddily,slaveringly,something fierce,sordidly,terribly,tooth and nail,truculently,unhumanly,viciously,vilely,wolfishly,wretchedly 1455 - atrocity,abomination,abuse,acuteness,affront,animality,aspersion,atrociousness,awfulness,bad,bane,banefulness,barbarity,befoulment,blight,bloodlust,breach,brickbat,brutality,contempt,contumely,corruption,crime,crime against humanity,cruelty,crying evil,cut,damage,deadly sin,defilement,delinquency,dereliction,desecration,despite,despoliation,destruction,destructiveness,detriment,direness,disgrace,disservice,dreadfulness,dump,enormity,error,evil,extremity,failure,fault,felony,ferociousness,fierceness,flagitiousness,flout,flouting,force,furiousness,genocide,gibe,great wrong,grievance,grimness,gross injustice,guilty act,harm,harshness,havoc,heavy sin,heinousness,hideousness,horribleness,horridness,horror,humiliation,hurt,ignominy,ill,ill-treatment,ill-usage,ill-use,impetuosity,imposition,impropriety,inclemency,indignity,indiscretion,inexpiable sin,infamy,infection,inhumanity,iniquity,injury,injustice,insult,intensity,jeer,jeering,knavery,lapse,malefaction,malfeasance,malignity,maltreatment,malum,mercilessness,mindlessness,minor wrong,miscarriage of justice,mischief,misdeed,misdemeanor,misfeasance,mistreatment,mock,mockery,molestation,monstrousness,mortal sin,murderousness,nonfeasance,obliquity,offense,omission,outrage,peccadillo,peccancy,pitilessness,pity,poison,pollution,profanation,put-down,raw deal,reprobacy,rigor,roughness,sacrilege,savagery,scandal,scoff,scurrility,severity,shame,sharpness,sin,sin of commission,sin of omission,sinful act,slip,taunt,terrible thing,terribleness,terrorism,the worst,tort,toxin,transgression,trespass,trip,uncomplimentary remark,ungentleness,unutterable sin,vandalism,vehemence,venial sin,venom,vexation,viciousness,villainy,violation,violence,virulence,wickedness,woe,wrong 1456 - atrophy,Sanforizing,abnormality,abscess,acute disease,affection,affliction,ague,ailment,allergic disease,allergy,anemia,ankylosis,anoxia,apnea,asphyxiation,asthma,ataxia,attenuation,backache,bacterial disease,birth defect,bleeding,blennorhea,blight,cachexia,cachexy,cardiovascular disease,chill,chills,chronic disease,circulatory disease,colic,complaint,complication,condition,congenital defect,constipation,consume,consume away,consumption,convulsion,coughing,cyanosis,decadence,declension,declination,decline,defect,deficiency disease,deformity,degeneracy,degeneration,degenerative disease,devolution,diarrhea,disability,disease,disorder,distemper,dizziness,downfall,downgrade,dribble away,dropsy,drying,drying up,dysentery,dyspepsia,dyspnea,edema,emaceration,emaciate,emaciation,endemic,endemic disease,endocrine disease,epidemic disease,fainting,fatigue,fever,fibrillation,flux,functional disease,fungus disease,gastrointestinal disease,genetic disease,growth,handicap,hemorrhage,hereditary disease,high blood pressure,hydrops,hypertension,hypotension,iatrogenic disease,icterus,illness,indigestion,indisposition,infectious disease,infirmity,inflammation,insomnia,itching,jaundice,labored breathing,low blood pressure,lumbago,malady,malaise,marasmus,marcescence,morbidity,morbus,muscular disease,nasal discharge,nausea,necrosis,neurological disease,nutritional disease,occupational disease,organic disease,pain,pandemic disease,paralysis,parching,pathological condition,pathology,pine away,plant disease,preshrinkage,protozoan disease,pruritus,psychosomatic disease,rash,respiratory disease,rheum,rockiness,run to seed,run to waste,sclerosis,searing,secondary disease,seediness,seizure,shock,shrinkage,shrinking,shriveling,sickishness,sickness,signs,skin eruption,sneezing,sore,spasm,symptomatology,symptomology,symptoms,syndrome,tabes,tachycardia,the pip,thinning,tumor,upset stomach,urogenital disease,vertigo,virus disease,vomiting,wastage,waste,waste away,wasting,wasting disease,wilting,wither away,withering,worm disease 1457 - attach,add,adhere,adjoin,affiliate,affix,agglutinate,anchor,annex,append,apply,appropriate,ascribe,assign,associate,attract,attribute,belay,bend,bind,bond,braze,burden,cement,cinch,clamp,cleave,clinch,collectivize,commandeer,communalize,communize,complicate,confiscate,conjoin,connect,cramp,decorate,distrain,encumber,endear,engraft,enlist,expropriate,fasten,fix,garnish,give,glue,glue on,graft,grapple,hitch on,impound,impress,impute,infix,join,join with,knit,lay hold of,levy,make fast,moor,nationalize,ornament,paste on,pin,place,plus,postfix,prefix,press,put,put to,put with,refer,replevin,replevy,rivet,saddle with,screw up,second,secure,seize,sequester,sequestrate,set,set to,slap on,socialize,solder,stick,subjoin,suffix,superadd,superpose,tack on,tag,tag on,tie,tighten,trice up,trim,unite,unite with,weld 1458 - attache,Admirable Crichton,adept,ambassador,ambassadress,apostolic delegate,artisan,artist,authority,career diplomat,chancellor,charge,commercial attache,connaisseur,connoisseur,consul,consul general,consular agent,consultant,cordon bleu,crack shot,craftsman,dead shot,diplomat,diplomatic,diplomatic agent,diplomatist,elder statesman,emissary,envoy,envoy extraordinary,experienced hand,expert,expert consultant,foreign service officer,graduate,handy man,internuncio,journeyman,legate,marksman,military attache,minister,minister plenipotentiary,minister resident,no slouch,nuncio,plenipotentiary,politician,pro,professional,professor,proficient,resident,savant,secretary of legation,shark,sharp,statesman,technical adviser,technician,vice-consul,vice-legate 1459 - attached to,crazy about,devoted to,enamored of,far gone on,fond of,gone on,hipped on,in love with,mad about,nuts about,partial to,smitten with,struck with,stuck on,sweet on,taken with,wedded to,wild about,wrapped up in 1460 - attachment,Amor,Christian love,Eros,Platonic love,accession,accessory,accompaniment,accounting for,addenda,addendum,additament,addition,additive,additory,additum,adherence,adhesion,adhesive,adjunct,adjunction,adjuvant,admiration,adoration,affection,affinity,affixation,affixing,agape,agglutination,allegiance,angary,annex,annexation,annexure,answerability,appanage,appendage,appendant,appliance,application,appurtenance,appurtenant,ardency,ardor,arrogation,ascription,assignation,assignment,attaching,attribution,augment,augmentation,binding,blame,bodily love,bona fides,bond,bonne foi,brotherly love,caritas,charge,charity,clasping,coda,collectivization,commandeering,communalization,communization,complement,concomitant,confiscation,conjugal love,connection,connection with,constancy,continuation,corollary,credit,decoration,derivation from,desire,device,devotedness,devotion,distraint,distress,eminent domain,etiology,execution,expropriation,extension,extra,extrapolation,faith,faithful love,faithfulness,fancy,fastener,fastening,fealty,fervor,fidelity,firmness,fixing,fixture,flame,fondness,free love,free-lovism,friendliness,friendship,gadget,garnishment,girding,good faith,heart,hero worship,homage,honor,hooking,idolatry,idolism,idolization,impoundment,impressment,imputation,increase,increment,joining,junction,juxtaposition,knot,lasciviousness,lashing,levy,libido,ligation,like,liking,link,linking,love,lovemaking,loyalty,married love,nationalization,offshoot,ornament,palaetiology,part,partiality,passion,pendant,physical love,piety,placement,popular regard,popularity,prefixation,reference to,regard,reinforcement,responsibility,right of angary,saddling,sentiment,sequestration,sex,sexual love,shine,side effect,side issue,socialization,spiritual love,splice,staunchness,steadfastness,sticking,suffixation,superaddition,superfetation,superjunction,superposition,supplement,supplementation,tailpiece,tender feeling,tender passion,tenderness,tie,tieing,troth,true blue,truelove,trueness,undergirding,uniting,uxoriousness,weakness,worship,yearning,zipping 1461 - attack,Jacksonian epilepsy,MO,Rolandic epilepsy,abdominal epilepsy,abuse,accept,access,acquired epilepsy,action,activated epilepsy,activation,affect,affect epilepsy,affection,aggression,aggressiveness,ailment,akinetic epilepsy,algorithm,all-out war,ambush,amok,apoplexy,appeal to arms,approach,armed combat,armed conflict,arrangement,arrest,articulation,assail,assailing,assailment,assault,assume,attack,attempt,autonomic epilepsy,barbarize,batter,battering,battle,begin,beleaguer,bellicosity,belligerence,belligerency,berate,berating,beset,besiege,bitter words,blackening,blister,blitz,blockade,blockage,bloodshed,blueprint,blueprinting,bout,brutalize,buckle down,buckle to,burn,bushwhack,butcher,butchery,calculation,cardiac epilepsy,carry on,castigate,censure,challenge,charge,charting,chauvinism,citation,clonic spasm,clonus,combat,combativeness,come at,come down on,complaint,conception,condemn,contrivance,contumely,convulsion,corrode,corrosion,cortical epilepsy,course,crack down on,cramp,criminate,criticism,criticize,cry out against,cry out on,cry shame upon,cursive epilepsy,declare war,decompose,decrial,decry,defy,delivery,denigrate,denigration,denounce,denunciation,deprecate,deprecation,descend on,descend upon,descent,design,destroy,destruction,device,devour,diatribe,disease,disorder,disorderliness,disparage,disparagement,disposition,dissolve,diurnal epilepsy,dive into,draw first blood,drive,eat,eclampsia,embark in,embark upon,encompass,endeavor,engage in,engage in battle,enter on,enter upon,enterprise,enunciation,envisagement,epilepsia,epilepsia gravior,epilepsia major,epilepsia minor,epilepsia mitior,epilepsia nutans,epilepsia tarda,epilepsy,epitasis,erode,erosion,excoriate,execration,fall,fall into,fall on,fall to,fall upon,falling sickness,fashion,fay,fever,fight,fighting,figuring,fit,focal epilepsy,foray,forcible seizure,foresight,forethought,form,frenzy,furor,fury,fustigate,game,gang up on,get busy,get cracking,get going,get under way,get with it,go about,go at,go for,go in for,go into,go on,go to it,go upon,grand mal,graphing,grip,ground plan,guidelines,guise,hammer,harass,hard words,harry,haute mal,have at,hit,hit like lightning,hop to it,hostilities,hot war,hysterical epilepsy,ictus,idea,implicate,implication,impugn,impugnment,incriminate,incrimination,inculpate,inculpation,incursion,infect,inroad,intention,invade,invasion,invective,inveigh against,invest,involve,involvement,irrupt,jawing,jeremiad,jingoism,jump,jump to it,killing,la guerre,land on,larval epilepsy,laryngeal epilepsy,laryngospasm,lash,latent epilepsy,launch forth,launch into,lay about,lay about one,lay at,lay hands on,lay into,lay on,lay waste,laying waste,layout,levy war on,light into,line,line of action,lines,lineup,lockjaw,long-range plan,loot,looting,make war on,malign,manner,manner of working,mapping,massacre,master plan,matutinal epilepsy,maul,means,menstrual epilepsy,method,methodology,might of arms,militarization,military operations,mobilization,mode,mode of operation,mode of procedure,modus operandi,move into,mug,murderous insanity,musicogenic epilepsy,muster,myoclonous epilepsy,nocturnal epilepsy,obstreperousness,occlusion,offense,offensive,onset,onslaught,open hostilities,open war,operations research,order,organization,orgasm,outbreak,paroxysm,petit mal,philippic,phonation,physiologic epilepsy,pillage,pillaging,pitch in,pitch into,plan,planning,planning function,plunge into,pounce upon,pound,practice,prearrangement,press,procedure,proceed to,proceeding,process,program,program of action,pronunciation,psychic epilepsy,psychokinesia,psychomotor epilepsy,pugnacity,push,rage,raid,ramp,rampage,rant,rape,rating,rationalization,rave,reflex epilepsy,resort to arms,revile,revilement,riot,rioting,roar,roast,rotatoria,routine,ruin,rush,sack,sacking,sail into,sally,savage,scarify,scathe,schedule,schema,schematism,schematization,scheme,scheme of arrangement,scorch,screed,seize,seizure,sensory epilepsy,serial epilepsy,set about,set at,set forward,set going,set on,set to,set to work,set upon,setup,sexual climax,shooting war,siege,skin alive,slash,slaughter,sortie,sow chaos,sowing with salt,spasm,spell,square up,start,start in,state of war,stoppage,storm,strategic plan,strategy,strike,strike at,stroke,style,surprise,swoop down on,system,systematization,tack,tackle,tactical plan,tactics,take on,take the offensive,take up,tardy epilepsy,tear,tear around,technique,terrorize,tetanus,tetany,the big picture,the drill,the how,the picture,the sword,the way of,throes,thromboembolism,thrombosis,tirade,tone,tongue-lashing,tonic epilepsy,tonic spasm,torsion spasm,total war,traumatic epilepsy,trismus,trounce,turn,turn on,turn to,ucinate epilepsy,undertake,unruliness,utterance,vandalize,venture upon,vilification,vilify,violate,violation,visitation,vituperation,vocalization,voicing,wade into,war,warfare,warmaking,warmongering,warring,wartime,waste,wasting,way,wise,working plan,wreck 1462 - attain,accede,accomplish,achieve,approach,arrive,arrive at,arrive in,attain to,be instated,be received,blow in,bob up,check in,clock in,come,come in,come to,come to hand,compass,consummate,deal with,discharge,dispatch,dispose of,do,do the job,do the trick,effect,effectuate,enact,execute,fetch,fetch up at,find,fulfill,gain,get in,get there,get to,hit,hit town,knock off,make,make good,make it,manage,mount the throne,perform,polish off,pop up,produce,pull in,punch in,put away,reach,realize,ring in,roll in,score,show up,sign in,succeed,take care of,take office,time in,turn the trick,turn up,win,work,work out 1463 - attainable,accessible,achievable,actable,approachable,available,come-at-able,compassable,doable,feasible,findable,getatable,gettable,negotiable,obtainable,open,open to,operable,overcomable,penetrable,performable,pervious,practicable,practical,procurable,reachable,realizable,securable,superable,surmountable,to be had,viable,within reach,workable 1464 - attainment,accession,accomplished fact,accomplishment,accomplishments,achievement,acquirement,acquisition,acquisition of knowledge,acquisitions,addition,advent,appearance,approach,arrival,attainments,carrying out,coming,coming by,consummation,discharge,dispatch,dragging down,earnings,edification,education,effectuation,enlightenment,execution,fait accompli,finish,fruition,fulfillment,gaining,getting,getting hold of,illumination,implementation,instruction,learning,liberal education,making,mission accomplished,moneygetting,moneygrubbing,moneymaking,obtainment,obtention,performance,procural,procurance,procuration,procurement,production,reaching,realization,securement,sophistication,store of knowledge,success,trover,winning 1465 - attar,ambergris,ambrosia,aromatic,aromatic gum,aromatic water,attar of roses,balm,balm of Gilead,balsam,bay oil,bergamot oil,champaca oil,civet,essence,essential oil,extract,fixative,heliotrope,jasmine oil,lavender oil,musk,myrcia oil,myrrh,parfum,perfume,perfumery,rose oil,scent,volatile oil 1466 - attempt,accept,affair,aim to,approach,assault,assay,assume,attack,attempt to,begin,beginning,bid,buckle to,business,care,chance,commence,commencement,commitment,contract,crack,dare,dare to,deal,effort,embark in,embark upon,endeavor,engage,engage in,engagement,enter on,enter upon,enterprise,essay,experiment,fall into,fall to,fling,gambit,get under way,go,go about,go at,go in for,go into,go upon,hassle,have at,hazard,inaugurate,initiate,initiation,launch forth,launch into,lay about,lick,lift a finger,make an attempt,make an effort,make bold,make free,move,move into,obligation,offer,operation,pains,pitch into,plan,plunge into,presume,pretend,pretend to,proceed to,program,project,proposition,seek,seek to,set about,set at,set forward,set going,set to,shot,shy,stab,start,step,strive,strive to,striving,stroke,strong bid,struggle,study to,tackle,take on,take the liberty,take up,task,tentative,trial,trial and error,trouble,try,try and,try to,turn to,undertake,undertaking,venture,venture on,venture to,venture upon,whack,work 1467 - attend to,abide by,act up to,adhere to,advert to,attend,auscultate,baby-sit,be all ears,be aware of,be engrossed in,be faithful to,bend an ear,bug,care for,chaperon,cherish,cock the ears,come down on,comply with,conform to,conserve,do for,do justice to,drink in,eavesdrop,examine by ear,fill,fix,follow,foster,fulfill,give attention,give audience to,give ear,give heed to,give it to,give mind to,give thought to,hark,hear,hear out,hearken,heed,hold by,intercept,keep,keep faith with,keep watch over,lend an ear,listen,listen at,listen in,listen to,live up to,look after,look out for,look to,make good,matronize,meet,mind,minister to,mother,not forget,nurse,nurture,observe,pay,pay attention to,pay out,pay regard to,preserve,protege,provide for,regard,respect,ride herd on,satisfy,see after,see to,serve one out,settle,settle the score,shepherd,sit in on,support,take care of,take charge of,tap,tend,turn to,watch,watch out for,watch over,wiretap 1468 - attend,accompany,administer to,aid,animadvert,appear,assist,assister,associate,associate with,assort with,attend on,attend to,audit,auscultate,band together,be all ears,be at,be present at,bear,become of,bend an ear,bug,care for,carry,catch,cater to,chaperon,chaperone,chore,cock the ears,combine,come about,come after,come of,come out,come to,companion,company,conduct,confederate,consociate,consort with,convoy,couple with,dance attendance upon,deal with,develop,direct,displace,do,do for,do service to,drudge,eavesdrop,emanate,end,ensue,escort,esquire,eventuate,examine by ear,eye,fall out,fare,flock together,follow,follow after,follow up,fraternize,frequent,gape,give attention,give audience to,give ear,give heed to,give rise to,go after,go along with,go to,go with,govern,guard,guide,handle,hang around with,hark,haunt,hear,hear out,hearken,heed,help,herd together,intercept,issue,join,keep company with,lackey,lead,lend an ear,listen,listen at,listen in,listen to,look,look after,look at,look on,look out for,maid,manage,mark,marshal,mind,mingle,minister to,mix,note,notice,observe,ogle,oversee,overtake,pan out,pander to,pay attention to,prove,prove to be,regard,regulate,remark,replace,result,run,run with,see,serve,shepherd,show up,sit in,sit in on,squire,succeed,supervene,supervise,take care of,take in,take note,take notice,take out,tap,tend,tend to,terminate,track,trail,turn out,turn to,turn up,unfold,upon,usher,valet,view,visit,wait,wait on,watch,watch over,wiretap,witness,work for,work out 1469 - attendance,appearance,assemblage,assembly,attendant,attending,audience,being,body of retainers,box office,cohort,cortege,court,crowd,draw,employ,employment,entourage,follower,following,frequence,frequenting,gate,gathering,house,ministration,ministry,number present,parasite,peonage,presence,retinue,rout,satellite,serfdom,serving,servitium,servitorship,servitude,slavery,suite,tendance,train,turnout 1470 - attendant,Ganymede,Hebe,X-ray technician,accessible,accessory,accompanier,accompanist,accompanying,accompanyist,acolyte,adherent,adjunct,adjutant,after,agent,aid,aide,aide-de-camp,aider,air warden,airline hostess,airline stewardess,ancilla,ancillary,anesthetist,appendage,assistant,associated,at hand,attendance,attending,auxiliary,available,batman,bellboy,bellhop,bellman,best man,body of retainers,bootblack,boots,buff,cabin boy,caddie,cadet,caretaker,castellan,cavaliere servente,chaperon,chaperone,chore boy,coadjutant,coadjutor,coadjutress,coadjutrix,cohort,coincident,collateral,comate,combined,companion,companion piece,concomitant,concurrent,conjoint,consecutive,consequent,conservator,consort,copyboy,corollary,correlative,cortege,coupled,court,courtier,cupbearer,curator,custodian,dangler,dependent,depending,deputy,dietitian,disciple,dresser,ensuing,entourage,errand boy,errand girl,escort,executive officer,fan,fellow,flunky,follower,following,footboy,forest ranger,game warden,gamekeeper,gofer,governor,guardian,guardian angel,hanger-on,help,helper,helping,helpmate,helpmeet,henchman,homme de cour,hospital administrator,hostess,immanent,immediate,in view,incident,indwelling,inherent,janitor,joined,joint,junior,keeper,laboratory technician,lackey,later,lieutenant,lifeguard,lifesaver,lineal,mate,menial,ministering,mutual,next friend,office boy,office girl,on board,on deck,on hand,orderly,page,paired,parallel,paranymph,paraprofessional,parasite,partisan,partner,physical therapist,physiotherapist,posterior,present,prochein ami,public,puisne,pursuer,pursuivant,radiographer,radiotherapist,ranger,related,resultant,resulting,retinue,rout,satellite,second,sectary,sequent,servant,servile,serving,servitorial,shadow,shepherd,sideman,simultaneous,slave,squire,steward,stewardess,stooge,striker,subordinate,subsequent,succeeding,successive,successor,suite,supporter,supporting actor,supporting instrumentalist,tagtail,tail,tender,train,trainbearer,twin,underling,usher,usherette,votary,waiting,ward heeler,warden,warder,within call,within reach,within sight,yeoman,younger 1471 - attending,accessory,accompanying,ancillary,associated,attendant,coincident,collateral,combined,concomitant,concurrent,conjoint,correlative,coupled,fellow,helping,incident,joined,joint,menial,ministering,mutual,paired,parallel,satellite,servile,serving,servitorial,simultaneous,twin,waiting 1472 - attention,NB,TLC,absorption,acclaim,act of courtesy,acuity,acuteness,agility,alertness,amenity,anticipation,application,assiduity,attentions,attentiveness,audibility,audience,audition,aural examination,aural sense,auscultation,awareness,benignity,brightness,bugging,care,carefulness,caution,circumspection,circumspectness,civility,cognizance,concentration,concern,conference,consciousness,considerateness,consideration,courtesy,debate,deference,deliberation,devoirs,diligence,distinction,duties,eager attention,ear,eavesdropping,egards,electronic surveillance,engrossment,examination by ear,favor,favorable attention,forethought,gallantry,graceful gesture,hearing,heed,heedfulness,heeding,homage,honor,hushed attention,immersion,industry,intentness,interview,keenness,kindliness,limelight,listening,listening in,loving care,mark,mind,mindfulness,nimbleness,note,notice,notoriety,observance,observation,polite act,preparedness,prominence,promptitude,promptness,publicity,punctuality,quickness,rapt attention,readiness,regard,regardfulness,regards,remark,respects,reverence,sedulity,sedulousness,sense of hearing,sensibility,sharpness,sleeplessness,smartness,solicitude,study,tender loving care,thoughtfulness,tryout,urbanity,wakefulness,wiretapping 1473 - attentive,accommodating,accommodative,accurate,advertent,affable,agile,agog,agreeable,alert,alive,all ears,all eyes,assiduous,attenuate,awake,aware,bright,cap in hand,careful,cautious,ceremonious,circumspect,civil,close,complaisant,concentrated,concentrating,conscientious,conscious,considerate,correct,courteous,courtly,critical,curious,deferential,delicate,demanding,detailed,diligent,dutiful,eager,earnest,exact,exacting,exigent,exquisite,fair,fine,finical,finicking,finicky,fussy,gallant,graceful,gracious,heedful,helpful,honorific,indulgent,intense,intent,intentive,interested,keen,lenient,listening,loving,meticulous,mindful,mindful of others,minute,narrow,nice,niggling,nimble,obliging,observant,observing,on the,on the alert,on the ball,on the job,open-eared,open-eyed,openmouthed,particular,polite,precise,precisianistic,precisionistic,prompt,punctilious,punctual,qui vive,quick,ready,reedy,refined,regardful,religious,respectful,rigid,rigorous,scrupulous,scrutinizing,sharp,sleepless,slender,slight,slim,smart,solicitous,strict,subtle,tactful,tender,tenuous,thoughtful,tolerant,twiggy,unblinking,unnodding,unsleeping,unwinking,urbane,wakeful,watchful,wide-awake 1474 - attenuate,Sanforize,abate,adulterate,alleviate,attenuated,baptize,bate,blow off,blunt,cast forth,clear away,constrict,consume,contract,cramp,cripple,cut,damp,dampen,deaden,debilitate,deflate,dematerialize,devitalize,dilute,disable,disembody,dispel,dissipate,dissolve,drive away,dry up,dull,ease,emacerate,emaciate,enervate,enfeeble,etherealize,evaporate,eviscerate,exhaust,expand,extenuate,gruel,irrigate,lay low,lessen,macerate,mitigate,parch,preshrink,rare,rarefied,rarefy,rattle,reduce,reedy,remit,sap,sear,shake,shake up,shrink,shrivel,slacken,slender,slight,slim,soften up,spiritualize,subtile,subtilize,subtle,tenuous,thin,thin away,thin down,thin out,twiggy,unbrace,undermine,unman,unnerve,unstrengthen,unstring,volatilize,waste,waste away,water,water down,weaken,weazen,wither,wizen 1475 - attenuated,Sanforized,abated,ablated,adulterated,airy,attenuate,bated,belittled,boyish,cadaverous,consumed,contracted,corky,corpselike,curtailed,cut,dainty,decreased,deflated,delicate,diaphanous,dilute,diluted,diminished,dissipated,downy,dried-up,dropped,emacerated,emaciate,emaciated,eroded,ethereal,fallen,filmy,fine,fine-drawn,fine-grained,finespun,flimsy,fluffy,frail,fuzzy,gaseous,gauzy,girlish,gossamer,gossamery,gracile,haggard,hollow-eyed,insubstantial,jejune,lacy,less,lesser,light,lower,lowered,marantic,marasmic,miniaturized,misty,papery,parched,peaked,peaky,pinched,poor,preshrunk,pubescent,puny,rare,rarefied,reduced,refined,retrenched,satin,satiny,scaled-down,sear,shorn,shorter,shriveled,shriveled up,shrunk,shrunken,silky,skeletal,slender,slenderish,slight,slight-made,slim,slimmish,slinky,small,smaller,smooth,starved,starveling,subtile,subtle,svelte,sylphlike,tabetic,tabid,tenuous,thin,thin-bodied,thin-set,thin-spun,thinned,thinned-out,thinnish,threadlike,uncompact,uncompressed,underfed,undernourished,unsubstantial,vague,vaporous,velutinous,velvety,wasp-waisted,wasted,wasted away,watered,watered-down,watery,weak,weakened,weazened,weazeny,willowy,windy,wiredrawn,wispy,withered,wizen,wizen-faced,wizened,worn,wraithlike 1476 - attest,acknowledge,affirm,allege,and candle,announce,approve,argue,assert,assert under oath,asseverate,assure,authenticate,aver,avouch,avow,back,back up,be sponsor for,bear out,bear witness,bespeak,betoken,bolster,bond,book,breathe,buttress,certify,circumstantiate,confirm,connote,corroborate,countersecure,declare,demonstrate,denote,depone,depose,disclose,display,document,endorse,ensure,evidence,evince,exhibit,express,fortify,furnish evidence,give evidence,give indication of,go to show,guarantee,guaranty,illustrate,imply,indicate,insure,involve,kiss the book,manifest,mark,point to,probate,prove,ratify,reinforce,secure,set forth,show,show signs of,sign,sign for,signalize,signify,speak for itself,speak volumes,sponsor,stand behind,stand up for,strengthen,subscribe to,substantiate,suggest,support,sustain,swear,swear by bell,swear the truth,swear to,swear to God,swear to goodness,symptomatize,tell,tend to show,testify,undergird,undersign,underwrite,uphold,validate,verify,vouch,vouch for,vouchsafe,vow,warrant,witness 1477 - attestation,admission,affidavit,affirmation,allegation,assertion,asseveration,attest,authentication,authority,authorization,averment,avouchment,avowal,backing,backing up,bearing out,bill of health,bolstering,buttressing,certificate,certificate of proficiency,certification,circumstantiation,compurgation,confirmation,corroboration,corroboratory evidence,credential,declaration,deposition,diploma,disclosure,documentation,evidence,fortification,instrument in proof,legal evidence,navicert,notarized statement,note,profession,proof,proving,proving out,ratification,reinforcement,sheepskin,statement,statement under oath,strengthening,substantiation,support,supporting evidence,swearing,sworn evidence,sworn statement,sworn testimony,testament,testamur,testimonial,testimonium,testimony,ticket,undergirding,validation,verification,visa,vise,voucher,vouching,warrant,warranty,witness,word 1478 - attested,actual,affirmed,alleged,announced,ascertained,asserted,asseverated,assured,authenticated,averred,avouched,avowed,borne out,categorically true,certain,certified,circumstantiated,confirmed,corroborated,decided,declared,demonstrated,deposed,determinate,determined,documentary,effectual,enunciated,established,factual,fixed,guaranteed,historical,in the bag,made sure,manifestoed,nailed down,not in error,objectively true,on ice,open-and-shut,pledged,predicated,professed,pronounced,proved,proven,real,secure,set,settled,shown,stated,substantiated,sure-enough,sworn,sworn to,tested,tried,true,true as gospel,truthful,unconfuted,undenied,undoubted,unerroneous,unfallacious,unfalse,unmistaken,unquestionable,unrefuted,validated,veracious,verified,veritable,vouched,vouched for,vowed,warranted 1479 - attic,archives,armory,arsenal,attic room,bank,basement,bay,bin,bonded warehouse,bookcase,box,bunker,buttery,cargo dock,cellar,chest,closet,cockloft,conservatory,crate,crib,cupboard,depository,depot,dock,drawer,dump,exchequer,garret,glory hole,godown,hayloft,hold,hutch,junk room,library,locker,loft,lumber room,lumberyard,magasin,magazine,rack,repertory,repository,reservoir,rick,shelf,sky parlor,stack,stack room,stock room,storage,store,storehouse,storeroom,supply base,supply depot,tank,treasure house,treasure room,treasury,vat,vault,warehouse,wine cellar 1480 - Attic,Ciceronian,aesthetic,artistic,biting,brilliant,chaste,choice,classic,classical,clear,clever,common,commonplace,direct,droll,easy,elegant,everyday,excellent,facetious,finished,funny,garden,garden-variety,graceful,gracile,homely,homespun,household,humorous,humorsome,in good taste,jesting,jocose,jocular,joking,joky,joshing,keen,keen-witted,limpid,lucid,matter-of-fact,mordant,natural,neat,nimble-witted,nondescript,of choice,of quality,ordinary,pellucid,perspicuous,plain,pleasing,pointed,polished,prosaic,prosy,pungent,pure,pure and simple,quick-witted,quiet,rapier-like,refined,restrained,round,salt,salty,scintillating,sharp,simple,smart,sparkling,sprightly,straightforward,subdued,tasteful,terse,trim,unaffected,understated,unlabored,unobtrusive,well-chosen,whimsical,witty,workaday,workday 1481 - attire,accouter,apparel,appoint,arm,array,bedeck,bedizenment,bedrape,bundle up,clad,clothe,clothes,clothing,costume,deck,dight,drape,drapery,dress,dressing,dud,duds,enclothe,endue,enrobe,enshroud,envelop,enwrap,equip,fashion,fatigues,feathers,fig,garb,garment,garments,gear,guise,habiliment,habiliments,habilitate,habit,invest,investiture,investment,lap,linen,muffle up,outfit,rag out,rags,raiment,robe,robes,sheathe,shroud,sportswear,style,swaddle,swathe,things,threads,tire,togs,toilette,trim,vestment,vesture,wear,wearing apparel,wrap,wrap up 1482 - attitude,air,approach,aspect,assumption,azimuth,bearing,bearings,bent,bias,carriage,celestial navigation,climate of opinion,color,common belief,community sentiment,conceit,concept,conception,conclusion,consensus gentium,consideration,dead reckoning,demeanor,disposition,estimate,estimation,ethos,exposure,eye,feeling,fix,frontage,general belief,idea,impression,inclination,judgment,lay,leaning,lie,lights,line of position,mind,mystique,notion,observation,opinion,orientation,personal judgment,pilotage,point of view,popular belief,port,pose,position,position line,posture,predilection,prejudice,prepossession,presence,presumption,prevailing belief,public belief,public opinion,radio bearing,reaction,sentiment,set,sight,stance,stand,tendency,theory,thinking,thought,view,viewpoint,way of thinking 1483 - attorney,MC,advocate,agent,alter ego,alternate,amicus curiae,assignee,attorney-at-law,backup,backup man,bailiff,barrister,barrister-at-law,butler,champion,counsel,counselor,counselor-at-law,croupier,curator,custodian,deputy,dummy,emcee,executive officer,exponent,factor,figurehead,friend at court,guardian,housekeeper,intercessor,landreeve,lawyer,legal adviser,legal counselor,legal expert,legal practitioner,legalist,librarian,lieutenant,locum,locum tenens,majordomo,master of ceremonies,mouthpiece,paranymph,pinch hitter,pleader,proctor,procurator,proxy,representative,sea lawyer,second in command,secondary,self-styled lawyer,seneschal,solicitor,stand-in,steward,substitute,supply,surrogate,understudy,utility man,vicar,vicar general,vice,vicegerent 1484 - attract,adduct,affect the interest,allure,appeal,appeal to,be attractive,be magnetic,becharm,beckon,beguile,bewitch,captivate,carry away,charm,concern,court,drag,draw,draw in,draw on,draw towards,enamor,enchant,endear,engage,enrapture,entice,entrance,excite,excite interest,fascinate,fetch,have an attraction,hold in thrall,infatuate,inflame with love,interest,intrigue,inveigle,invite,involve in,lure,magnet,magnetize,pique,provoke,pull,pull towards,seduce,solicit,stimulate,suck in,summon,take,tantalize,tease,tempt,tickle,titillate,tug,vamp,whet the appetite,wile 1485 - attracted,advancing,approaching,approximate,approximative,attracted to,cathectic,coming,concerned,curious,drawn to,enthusiastic,excited,fascinated,forthcoming,imminent,interested,keen on,near,nearing,oncoming,passionate,piqued,proximate,tantalized,tickled,titillated,to come,turned-on,upcoming 1486 - attraction,Circean,acceptability,accord,affinity,agacerie,agreeability,agreeable,allure,allurement,alluring,appeal,appealing,attractant,attracting,attractive,attractiveness,bait,beauteous,beautiful,beckoning,beguilement,beguiling,bewitchery,bewitching,bewitchment,blandishment,bonny,cajolery,call,captivating,captivation,charisma,charm,charming,charmingness,come-hither,come-on,comely,concord,delight,desirability,draft,draw,drawing,drawing power,drayage,enchanting,enchantment,engaging,entertainment,enthrallment,enticement,enticing,entrapment,extraction,fair,fascinating,fascination,fetching,flirtation,forbidden fruit,glamorous,glamour,good-looking,goodly,gravitation,handsome,harmony,haulage,hauling,heaving,hook,inducement,interest,interesting,inveiglement,invitation,inviting,likability,likable,likely,lovability,lovely,lure,magnetic,magnetism,mesmeric,performance,pleasing,pleasure,prepossessing,presentation,pretty,provocative,provocativeness,pulchritudinous,pull,pulling,pulling power,seducement,seduction,seductive,seductiveness,sex appeal,show,sightly,simpatico,siren,snare,snaring,sympathy,taking,tantalization,tantalizing,teasing,temptation,tempting,towage,towing,traction,tractive power,tug-of-war,tugging,unobjectionableness,winning,winning ways,winsomeness,witchery,wooing 1487 - attractive,absorbing,acceptable,adductive,adorable,aesthetic,aesthetically appealing,agreeable,alluring,appealing,appetizing,arresting,attracting,attrahent,beauteous,beautiful,beguiling,bewitching,blandishing,bonny,cajoling,captivating,catching,charismatic,charming,coaxing,come-hither,comely,consuming,coquettish,delightful,desirable,dragging,drawing,elegant,enchanting,endowed with beauty,engaging,engrossing,enravishing,enthralling,enticing,entrancing,enviable,exciting,exotic,exquisite,eye-filling,fair,fascinating,fetching,fine,flirtatious,flowerlike,glamorous,good-looking,graceful,gracile,gripping,handsome,heart-robbing,heavy,holding,hypnotic,interesting,intriguing,inviting,irresistible,likable,lovable,lovely,luring,luxurious,magnetic,magnetized,mesmeric,mesmerizing,mouth-watering,obsessing,obsessive,piquant,pleasing,prepossessing,pretty,provocative,provoquant,pulchritudinous,pulling,ravishing,seducing,seductive,sensuous,siren,sirenic,spellbinding,spellful,sympathetic,taking,tantalizing,teasing,tempting,thrilling,tickling,titillating,titillative,to be desired,toothsome,tugging,unobjectionable,voluptuous,winning,winsome,witching,worth having 1488 - attributable,accountable,alleged,arising from,ascribable,assignable,attributable to,attributed,caused by,charged,coming from,contingent on,credited,dependent on,derivable from,derivational,derivative,deserving,due,due to,entitled to,explicable,imputable,imputed,meriting,meritorious,occasioned by,owing,owing to,putative,referable,referred to,resulting from,traceable,worthy of 1489 - attribute,IC analysis,account for,accredit,accredit with,accrete to,acknowledge,affection,apply,apply to,appositive,aroma,ascribe,ascribe to,assign,assign to,attach,attach to,attribute to,attributive,badge,blame,blame for,blame on,brand,bring home to,cachet,calendar,cast,character,characteristic,charge,charge on,charge to,chronologize,complement,confess,configuration,connect with,construction modifier,credit,credit with,cut,cutting,date,deep structure,differentia,differential,direct object,distinctive feature,earmark,emblem,fasten upon,father upon,feature,figure,filler,fix on,fix upon,flavor,form-function unit,function,give,gust,hallmark,hang on,idiocrasy,idiosyncrasy,immediate constituent analysis,impress,impression,impute,impute to,index,indirect object,individualism,keynote,lay,lay to,levels,lineaments,mannerism,mark,marking,modifier,mold,nature,object,odor,particularity,peculiarity,phrase structure,pin on,pinpoint,place,place upon,point to,predicate,property,put,qualifier,quality,quirk,ranks,refer,refer to,saddle on,saddle with,savor,seal,set down to,settle upon,shallow structure,shape,singularity,slot,slot and filler,smack,specialty,stamp,strata,structure,subject,surface structure,syntactic analysis,syntactic structure,syntactics,syntax,tagmeme,taint,tang,taste,token,trace to,trait,trick,underlying structure,virtue,word arrangement,word order 1490 - attrition,abatement,ablation,abrasion,abrasive,absorption,apologies,assimilation,atomization,attenuation,ayenbite of inwit,beating,bitterness,blunting,brecciation,buffing,burning up,burnishing,chafe,chafing,comminution,consumption,contriteness,contrition,corrosion,crumbling,crushing,curtailment,cut,cutting,damping,deadening,debilitation,decrease,decrement,deliquescence,depletion,depreciation,derogation,detraction,detrition,devitalization,digestion,dilution,diminution,dip,disintegration,disparagement,dissipation,dissolution,drain,dressing,dulling,eating up,effemination,enervation,enfeeblement,erasure,erosion,evisceration,exhaustion,expending,expenditure,extenuation,extraction,fatigue,filing,finishing,fragmentation,fretting,galling,granulation,granulization,grating,grazing,grief,grinding,impairment,impoverishment,inanition,ingestion,languishment,lessening,levigation,limation,loss,mashing,mitigation,penance,penitently,polishing,pounding,powdering,rasping,reduction,regret,regretfulness,regrets,regretting,relaxation,remission,remorse,remorse of conscience,remorsefulness,repentance,repining,retraction,retrenchment,rubbing away,rue,ruth,sandblasting,sanding,scouring,scrape,scraping,scratch,scratching,scrub,scrubbing,scuff,shame,shamefacedness,shamefastness,shamefulness,shining,shortening,shredding,shrinkage,slackening,smashing,smoothing,softening,sorriness,sorrow,spending,squandering,thinning,trituration,truncation,using up,wastage,waste,wastefulness,wasting away,weakening,wear,wear and tear,wearing away,wearing down,wistfulness 1491 - attune,accommodate,accord,adapt,adjust,adjust to,agree,assimilate,assonate,atone,balance,be harmonious,be in tune,blend,capacitate,chime,chord,compensate,condition,conform,coordinate,counterbalance,cut to,enable,equalize,equip,fit,fix,furnish,gear to,harmonize,homologate,homologize,integrate,key to,make plumb,make uniform,measure,melodize,musicalize,proportion,put in trim,put in tune,qualify,reconcile,rectify,regulate,right,set,set right,set to rights,similarize,sound in tune,sound together,string,suit,symphonize,sync,synchronize,tailor,tone down,tone up,trim to,true,true up,tune,tune up,voice 1492 - attuned,accordant,according,agreeable,agreeing,akin,amicable,assonant,assonantal,at one,blended,blending,chiming,compatible,concordant,congenial,consonant,corresponding,empathetic,empathic,en rapport,frictionless,harmonic,harmonious,harmonizing,homophonic,in accord,in chorus,in concert,in concord,in rapport,in sync,in tune,in unison,inharmony,like-minded,monodic,monophonic,of one mind,peaceful,sympathetic,symphonious,synchronized,synchronous,together,tuned,understanding,unisonant,unisonous,united 1493 - au fait,able,abreast,acquainted,au courant,au fond,basically,becoming,befitting,capable,comme il faut,competent,conforming,conversant,correct,decent,fundamentally,good,in essence,informed,nice,proper,qualified,right,up,versed,wicked 1494 - au pair girl,abigail,amah,ayah,betweenmaid,biddy,chambermaid,chaperon,companion,cook,duenna,femme de chambre,fille de chambre,gentlewoman,girl,handmaid,handmaiden,hired girl,housemaid,kitchenmaid,lady-help,lady-in-waiting,live-in maid,live-out maid,maid,maidservant,nursemaid,parlormaid,scullery maid,servant girl,servitress,soubrette,tweeny,upstairs maid,waiting maid,wench 1495 - auburn,Titian,adust,bay,bay-colored,bayard,brazen,bronze,bronze-colored,bronzed,brownish-red,carroty,castaneous,chestnut,chestnut-brown,copper,copper-colored,coppery,cupreous,erythristic,ferruginous,foxy,henna,liver-brown,liver-colored,livid-brown,mahogany,red-crested,red-haired,red-polled,red-tufted,reddish-brown,roan,rubiginous,rufous,russet,russety,rust,rust-colored,rusty,sunburned,terra-cotta,xanthous 1496 - audacious,adventuresome,adventurous,arrogant,bold,brash,brassy,brave,brazen,bumptious,careless,challenging,cheeky,cocky,cold,confident,contemptuous,contumelious,cool,courageous,daredevil,daring,dauntless,death-defying,defiant,defying,derisive,devil-may-care,disdainful,disregardful,disrespectful,doughty,easy,emancipated,enterprising,familiar,fearless,fire-eating,foolhardy,forward,free,greatly daring,harebrained,heedless,hubristic,impertinent,impudent,independent,insolent,insulting,intrepid,madbrain,madbrained,madcap,mettlesome,obtrusive,overbold,overpresumptuous,overweening,pert,presuming,presumptuous,procacious,pushy,rash,reckless,regardless of consequences,relaxed,rude,saucy,self-absorbed,self-centered,selfish,shameless,temerarious,thoughtless,unabashed,unafraid,uncurbed,undaunted,ungoverned,unhampered,uninhibited,unrestrained,untrammeled,uppish,uppity,valiant,valorous,venturesome,venturous,wild,wild-ass 1497 - audacity,adventuresomeness,adventurousness,arrogance,assurance,audaciousness,balls,bold front,boldness,brash bearing,brashness,brass,brassiness,bravado,bravura,brazenness,brinkmanship,bumptiousness,cheek,cheekiness,cockiness,contempt,contemptuousness,contumely,courage,courage fou,courting disaster,daredevilry,daredeviltry,daring,daringness,defial,defiance,defying,derision,derring-do,despite,disdain,disregard,effrontery,enterprise,face,fire-eating,flirting with death,foolhardiness,forwardness,gall,going for broke,hardihood,hardiness,harebrainedness,hubris,impertinence,impudence,insolence,mettle,nerve,obtrusiveness,overboldness,overweening,overweeningness,pertness,playing with fire,presumption,presumptuousness,procacity,pushiness,resolution,sauciness,spirit,uppishness,uppityness,venturesomeness,venturousness 1498 - audible,acoustic,articulate,audile,audio,auditory,aural,auricular,clear,contrastive,definite,distinct,distinctive,hearable,hearing,hi-fi,high-fidelity,otic,otological,otopathic,otoscopic,phonic,plain 1499 - audience,accepter,acquirer,addressee,aficionado,attender,attention,audition,auditor,auditory,bargaining,bargaining session,beholder,buff,bugging,claqueur,clientage,clientele,conclave,confab,confabulation,conference,confrontation,congregation,congress,consideration,consignee,consultation,convention,council,council fire,council of war,deadhead,discussion,ear,eavesdropping,electronic surveillance,exchange of views,eyeball-to-eyeball encounter,fan,favorable attention,frequenter,gallery,getter,groundling,habitue,haunter,hearer,hearing,high-level talk,hired applauder,holder,house,huddle,interchange of views,interview,listener,listening,listening in,looker,meeting,moviegoer,negotiations,news conference,obtainer,orchestra,palaver,parley,pass holder,patron,payee,pit,playgoer,pourparler,powwow,press conference,procurer,public,receiver,recipient,seance,session,sitting,spectator,standee,summit,summit conference,summitry,taker,theater,theatergoer,trustee,tryout,viewer,visitor,wiretapping 1500 - audio frequency,AF,CPS,EHF,HF,Hz,MF,RF,SHF,UHF,VHF,VLF,carrier frequency,cycles,extremely high frequency,frequency,frequency spectrum,fundamental,fundamental tone,harmonic,hertz,high frequency,intermediate frequency,intonation,kilocycles,kilohertz,low frequency,lower frequencies,medium frequency,megacycles,megahertz,monotone,monotony,overtone,partial,partial tone,pitch,radio frequency,spark frequency,spectrum,superhigh frequency,tone,tonelessness,ultrahigh frequency,upper frequencies,very high frequency,very low frequency 1501 - audit,accountancy,accounting,analysis,auditing,balance,balance the books,bookkeeping,check,check and doublecheck,check out,check over,checkup,collate,confirm,control,corrective,cost accounting,cost system,cost-accounting system,cross-check,demonstrate,double-check,double-entry bookkeeping,inspect the books,inspection,inventory,investigation,monetary arithmetic,overhaul,perlustration,probe,prove,recheck,review,scan,scrutiny,single-entry bookkeeping,survey,take account of,take stock,test,triple-check,validate,verify,view 1502 - audition,Gedankenexperiment,attention,audibility,audience,aural examination,aural sense,auscultation,bench test,blue book,bugging,conference,dry run,eager attention,ear,eavesdropping,electronic surveillance,exam,examen,examination,examination by ear,favorable attention,final,final examination,flight test,great go,hearing,heeding,honors,hushed attention,interview,listening,listening in,midsemester,midterm,oral,oral examination,pilot plan,practical test,practice,prelim,quiz,rapt attention,rehearsal,road test,sense of hearing,shakedown,shakedown cruise,take-home examination,test,test flight,test run,trial,trial run,tripos,tryout,viva,wiretapping,workout,written,written examination 1503 - auditor,Big Brother,CA,CPA,accepter,accountant,accountant general,acquirer,actuary,addressee,audience,audient,autodidact,bank accountant,bank examiner,beholder,boatswain,bookkeeper,boss,bursar,calculator,cashier,cashkeeper,certified public accountant,chamberlain,chartered accountant,chief,clerk,comptroller,consignee,controller,cost accountant,cost keeper,curator,depositary,depository,eavesdropper,educatee,financial officer,floor manager,floorman,floorwalker,foreman,gaffer,ganger,getter,head,headman,hearer,hearkener,holder,inquirer,inspector,journalizer,learner,liquidator,listener,looker,monitor,noncommissioned officer,obtainer,overhearer,overman,overseer,payee,paymaster,praepostor,prefect,proctor,procurer,pupil,purse bearer,purser,receiver,recipient,reckoner,recorder,registrar,scholar,self-taught person,sirdar,slave driver,snoop,spectator,steward,straw boss,student,studier,subforeman,super,superintendent,supervisor,surveyor,taker,taskmaster,trainee,treasurer,trustee,viewer,visitor 1504 - auditorium,Elizabethan theater,Globe Theatre,Greek theater,agora,amphitheater,arena,arena theater,assembly hall,athletic field,background,balcony,bear garden,bowl,box,box seat,boxing ring,bull ring,cabaret,campus,canvas,chapel,circle theater,circus,classroom,club,cockpit,coliseum,colosseum,concert hall,convention hall,course,dance hall,dress circle,exhibition hall,fauteuil,field,floor,forum,gallery,ground,gym,gymnasium,hall,hippodrome,house,lecture hall,lecture room,lists,little theater,locale,loge,marketplace,mat,meetinghouse,milieu,music hall,nigger heaven,night spot,nightclub,open forum,opera,opera house,orchestra,orchestra circle,outdoor theater,palaestra,parade ground,paradise,parquet,parquet circle,parterre,peanut gallery,pit,place,platform,playhouse,precinct,prize ring,proscenium boxes,public square,purlieu,range,recitation room,ring,scene,scene of action,scenery,schoolroom,setting,showboat,site,sphere,squared circle,stadium,stage,stage set,stage setting,stall,standing room,terrain,theater,theater-in-the-round,theatre stall,theatron,tilting ground,tiltyard,walk,wrestling ring 1505 - auger,aculeus,acumination,bit,bore,bore bit,borer,brace and bit,breast auger,breast drill,broach,burr,chamfer bit,corkscrew,cross bit,cusp,diamond drill,drill,drill press,gimlet,hand drill,keyway drill,mucro,neb,needle,nib,point,portable drill,posthole auger,power drill,prick,prickle,pump drill,ratchet drill,reamer,rotary drill,star drill,sting,strap drill,tap,tip,trepan,trephine,twist bit,twist drill,wimble 1506 - aught,aggrandize,any,any one,anybody,anyone,anything,augment,beef up,boost,cipher,either,enlarge,exalt,expand,extend,goose egg,heighten,hike,magnify,multiply,nada,naught,nichts,nihil,nil,nix,no such thing,nothing,nothing at all,nothing on earth,nothing whatever,raise,some,something,somewhat,thing of naught,zero,zilch 1507 - augment,add to,agent provocateur,aggrandize,aggravate,amplify,annoy,bloat,blow up,boost,broaden,build,build up,bulk,bulk out,compound,crescendo,deepen,deteriorate,develop,dilate,distend,embitter,enhance,enlarge,exacerbate,exalt,exasperate,expand,extend,fatten,fill out,fortify,heat up,heighten,hike,hike up,hot up,huff,increase,inflate,intensify,irritate,jack up,jump up,lengthen,magnify,make acute,make worse,manifold,maximize,mount,multiply,parlay,provoke,puff,puff up,pump,pump up,put up,pyramid,raise,rarefy,recruit,reinforce,rise,sharpen,sour,strengthen,stretch,sufflate,supplement,swell,thicken,up,upsurge,wax,widen,worsen 1508 - augmentation,accession,accretion,adjunct,annex,attachment,bonus,boot,complement,enhancement,enrichment,extra,fixture,increase,increment,plus,raise,reinforcement,rise 1509 - augur well,afford hope,assure,bid fair,cheer,give hope,have good prospects,hold out hope,hold out promise,inspire,inspire hope,inspirit,justify hope,make fair promise,promise,raise expectations,raise hope,reassure,support 1510 - augur,Cassandra,Druid,adumbrate,argue,astrologer,bespeak,betoken,bid fair to,bode,calamity howler,crystal gazer,divinator,divine,diviner,divineress,forebode,forecast,forecaster,foreknower,foreseer,foreshadow,foreshow,foreshower,foreteller,foretoken,fortuneteller,geomancer,haruspex,hint,imply,indicate,intimate,mean,omen,palmist,point to,portend,predict,predictor,prefigure,prefigurer,preindicate,presage,presager,presign,presignal,presignify,pretypify,prognosticate,prognosticator,promise,prophesier,prophesy,prophet,prophet of doom,prophetess,psychic,pythoness,religious prophets,seer,seeress,shadow forth,signify,soothsay,soothsayer,spell,suggest,token,typify,vates,vaticinate,weather prophet 1511 - augury,adumbration,anticipation,astrology,auspice,betokening,betokenment,boding,clairvoyance,crystal ball,crystal gazing,divination,divining,foreshadow,foreshadowing,foreshowing,foretoken,foretokening,fortunetelling,haruspication,haruspicy,horoscopy,indicant,indication,mantic,mantology,omen,palm-reading,palmistry,portent,prefiguration,preindication,premonition,premonitory shiver,premonitory sign,premonitory symptom,presage,presentiment,presignifying,prognostic,prognostication,promise,pythonism,shadow,sign,soothsay,sorcery,token,tokening,type 1512 - august,aristocratic,awe-inspiring,awesome,awful,baronial,courtly,dignified,distinguished,dreadful,elevated,eminent,estimable,exalted,famous,fearful,glorious,godlike,grand,grandiose,grave,heroic,high,honorable,imposing,impressive,kingly,lauded,lofty,lordly,magisterial,magnanimous,magnificent,majestic,moving,noble,overwhelming,princely,prominent,queenly,regal,renowned,reverend,royal,sedate,soaring,sober,solemn,splendid,stately,statuesque,striking,sublime,superb,time-honored,towering,venerable,worshipful,worthy 1513 - aunt,auntie,blood brother,brethren,brother,bub,bubba,bud,buddy,country cousin,cousin,cousin once removed,cousin twice removed,daughter,father,first cousin,foster brother,frater,grandnephew,grandniece,granduncle,great-aunt,great-uncle,half brother,kid brother,mother,nephew,niece,nuncle,nunks,nunky,second cousin,sis,sissy,sister,sister-german,sistern,son,stepbrother,stepsister,unc,uncle,uncs,uterine brother 1514 - aura,air,ambiance,ambience,anthelion,antisun,appearance,aroma,aspect,atmosphere,aureole,blaze of glory,brilliance,brilliancy,character,charisma,circle,climate,corona,countersun,ectoplasm,ectoplasy,effluvium,emanation,envelope,exteriorized protoplasm,feel,feeling,glamour,glory,halo,illustriousness,lunar corona,lunar halo,luster,magic,milieu,mock moon,mock sun,mood,moon dog,mystique,nimbus,note,numinousness,odor,overtone,paraselene,parhelic circle,parhelion,quality,radiance,rainbow,resplendence,resplendency,ring,semblance,sense,solar corona,solar halo,spirit,splendor,suggestion,sun dog,tone,undertone 1515 - aureole,O,annular muscle,annulus,anthelion,antisun,areola,aura,chaplet,circle,circuit,circumference,circus,closed circle,corona,coronet,countersun,crown,cycle,diadem,discus,disk,eternal return,fairy ring,garland,glory,halo,lasso,logical circle,loop,looplet,lunar corona,lunar halo,magic circle,mock moon,mock sun,moon dog,nimbus,noose,orbit,paraselene,parhelic circle,parhelion,radius,rainbow,ring,rondelle,round,roundel,saucer,solar corona,solar halo,sphincter,sun dog,vicious circle,wheel,wreath 1516 - auricular,acoustic,audible,audile,audio,auditory,aural,between us,confidential,esoteric,hearing,in petto,inside,not for publication,off the record,otic,otological,otopathic,otoscopic,phonic,privileged,sealed,under privilege,unpublishable 1517 - aurora,alpenglow,arch aurora,aurora australis,aurora borealis,aurora glory,aurora polaris,break of day,brightening,chanticleer,cockcrow,cocklight,crack of dawn,crepuscule,dawn,dawning,dawnlight,day-peep,daybreak,daylight,dayspring,first brightening,first light,foredawn,glow,half-light,light,merry dancers,morn,morning,morning twilight,northern lights,peep of day,polar lights,polar ray,prime,southern lights,sunrise,sunup,the small hours,twilight,vestibule of Day 1518 - ausgespielt,bankrupt,blasted,blighted,broken,burned-out,desolated,destroyed,devastated,devitalized,disabled,done,done for,done in,done up,down-and-out,drained,effete,emptied,enervated,enfeebled,eviscerated,exhausted,fallen,far-gone,fatigued,finished,frazzled,gone to pot,in ruins,incapacitated,irremediable,jaded,kaput,laid low,overthrown,played out,pooped,ravaged,ruined,ruinous,run-down,sapped,shotten,spent,spoiled,tired,undone,used up,wasted,weakened,worn,worn-out,wrecked 1519 - auspices,abetment,accountability,administration,advocacy,aegis,approval,authority,backing,bossing,care,championship,charge,charity,control,countenance,cure,custodianship,custody,encouragement,eye,favor,fosterage,goodwill,governance,government,guardianship,guidance,hands,influence,intendance,interest,jurisdiction,keeping,management,ministry,oversight,pastorage,pastorate,pastorship,patronage,protection,protectorship,responsibility,safe hands,sanction,seconding,sponsorship,stewardship,superintendence,supervision,support,surveillance,sympathy,tutelage,ward,wardenship,wardship,watch and ward,wing 1520 - auspicious,advantageous,appropriate,befitting,beneficial,benevolent,benign,benignant,blessed,blessed with luck,bon,bonny,braw,bright,bright with promise,bueno,capital,cheering,cogent,commendable,convenient,dexter,elegant,encouraging,estimable,excellent,expedient,fair,famous,favorable,favored,favoring,felicitous,fine,fit,fitting,fortunate,full of promise,golden,good,goodly,grand,halcyon,happy,healthy,helpful,hopeful,in luck,inspiring,inspiriting,kind,laudable,looking up,lucky,meet,nice,noble,of good omen,of happy portent,of promise,opportune,pleasant,pregnant of good,profitable,promising,propitious,prosperous,providential,reassuring,regal,ripe,roseate,rosy,royal,seasonable,skillful,sortable,sound,splendid,suitable,supportive,timely,useful,valid,very good,virtuous,well-timed,white 1521 - austere,Albigensian,Catharist,Franciscan,Lenten,Sabbatarian,Spartan,Spartanic,Trappist,Waldensian,abstemious,abstinent,amaroidal,anchoritic,ascetic,astringent,authoritarian,bald,bare,basic,biting,bitter,bleak,candid,chaste,common,commonplace,demanding,direct,dour,dry,dull,dwarfed,dwarfish,earnest,elementary,eremitic,essential,exacting,exigent,exiguous,flagellant,frank,frugal,fundamental,grave,grim,hard,harsh,homely,homespun,homogeneous,impoverished,inclement,indivisible,inornate,irreducible,jejune,keen,lean,limited,matter-of-fact,meager,mean,mendicant,mere,meticulous,miserly,monolithic,mortified,narrow,natural,neat,niggardly,of a piece,open,paltry,parsimonious,plain,plain-speaking,plain-spoken,poor,primal,primary,prosaic,prosing,prosy,puny,pure,pure and simple,puritanical,rigoristic,rough,rugged,rustic,scant,scanty,scrawny,scrimp,scrimpy,self-denying,serious,severe,sharp,simon-pure,simple,simple-speaking,single,skimp,skimpy,slender,slight,slim,small,sober,somber,spare,sparing,stark,starvation,stern,stingy,stinted,straightforward,straitened,strict,stringent,stunted,subsistence,thin,tough,unadorned,unaffected,uncluttered,undecorated,undifferenced,undifferentiated,unelaborate,unembellished,unfancy,unfussy,ungentle,uniform,unimaginative,unnourishing,unnutritious,unornamented,unornate,unpoetical,unsparing,unvarnished,watered,watery,wedded to poverty 1522 - austerity,Albigensianism,Catharism,Franciscanism,Lenten fare,Sabbatarianism,Spartan simplicity,Spartanism,Trappism,Waldensianism,Yoga,abstinence,anchoritic monasticism,anchoritism,asceticism,astringency,austerity program,authoritarianism,baldness,bareness,candor,canniness,care,carefulness,chariness,common speech,demandingness,directness,discipline,economic planning,economicalness,economy,economy of means,eremitism,exactingness,exiguity,exiguousness,false economy,fasting,flagellation,forehandedness,frankness,frugality,frugalness,good management,grimness,hardness,harshness,homespun,household words,husbandry,inclemency,inornateness,jejuneness,jejunity,leanness,maceration,management,matter-of-factness,meagerness,meanness,mendicantism,meticulousness,miserliness,monachism,monasticism,mortification,narrowness,naturalness,niggardliness,openness,paltriness,parsimoniousness,parsimony,plain English,plain speaking,plain speech,plain style,plain words,plainness,prosaicness,prosiness,providence,prudence,prudential administration,puniness,puritanism,regimentation,restrainedness,rigid discipline,rigor,roughness,ruggedness,rustic style,scantiness,scantness,scrawniness,scrimpiness,self-denial,self-mortification,severity,simpleness,simplicity,skimpiness,slenderness,slightness,slim pickings,slimness,smallness,soberness,spareness,sparingness,starkness,sternness,stinginess,straightforwardness,strictness,stringency,thinness,thrift,thriftiness,tight purse strings,toughness,unadorned style,unadornedness,unaffectedness,unelaborateness,unfanciness,unfussiness,ungentleness,unimaginativeness,unpoeticalness,unwastefulness,vernacular,voluntary poverty 1523 - autarchic,arbitrary,autarkic,autocratic,autonomous,commanding,despotic,dogmatic,imperious,independent,monocratic,nonconstitutional,self-dependent,self-reliant,self-sufficient,separate,sovereign,tyrannical,tyrannous,undemocratic 1524 - autarchy,Caesarism,Declaration of Independence,Stalinism,absolute monarchy,absolutism,aristocracy,autarky,authoritarianism,autocracy,autonomy,benevolent despotism,coalition government,colonialism,commonwealth,constitutional government,constitutional monarchy,czarism,democracy,despotism,dictatorship,dominion rule,duarchy,duumvirate,dyarchy,federal government,federation,feudal system,garrison state,gerontocracy,heteronomy,hierarchy,hierocracy,home rule,independence,individualism,inner-direction,kaiserism,limited monarchy,martial law,meritocracy,militarism,military government,mob rule,mobocracy,monarchy,neocolonialism,ochlocracy,oligarchy,one-man rule,one-party rule,pantisocracy,paternalism,patriarchate,patriarchy,police state,pure democracy,regency,representative democracy,representative government,republic,rugged individualism,self-containment,self-determination,self-direction,self-government,self-reliance,self-sufficiency,social democracy,stratocracy,technocracy,thearchy,theocracy,totalitarian government,totalitarian regime,totalitarianism,triarchy,triumvirate,tyranny,welfare state 1525 - auteur,MC,ballyhoo man,barker,callboy,costume designer,costumer,costumier,director,emcee,equestrian director,exhibitor,impresario,makeup man,master of ceremonies,playreader,producer,prompter,ringmaster,scenewright,set designer,showman,spieler,stage director,stage manager,theater man,theatrician,ticket collector,usher,usherer,usherette 1526 - authentic,Christian,aboveboard,absolute,accepted,accurate,actual,adducible,admissible,approved,attestative,attestive,authoritative,avant-garde,based on,bona fide,candid,canonical,card-carrying,cathedral,certain,circumstantial,cognizable,conclusive,conventional,convincing,correct,creative,credible,cumulative,customary,damning,de facto,decisive,dependable,determinative,dinkum,documentary,documented,evangelical,evidential,evidentiary,ex cathedra,ex parte,eye-witness,factual,fair and square,faithful,final,firm,firsthand,following the letter,for real,founded on,foursquare,fresh,genuine,good,good-faith,grounded on,hearsay,historical,honest,honest-to-God,imaginative,implicit,inartificial,incontrovertible,indicative,indisputable,indubitable,irrefutable,irresistible,knowable,lawful,legitimate,lifelike,literal,magisterial,material,natural,naturalistic,new,novel,nuncupative,of the faith,official,on the level,on the square,on the up-and-up,open,open and aboveboard,original,orthodox,orthodoxical,overwhelming,positive,presumptive,probative,proper,pukka,pure,questionless,real,realistic,received,recognizable,reliable,revolutionary,right,rightful,scriptural,significant,simon-pure,simple,sincere,single-hearted,solid,sound,square,square-dealing,square-shooting,standard,sterling,straight,straight-shooting,substantial,suggestive,sure,sure-enough,symptomatic,telling,textual,traditional,traditionalistic,true,true to life,true to nature,true to reality,true-blue,trustworthy,trusty,unadulterated,unaffected,unalloyed,unassumed,unassuming,uncolored,unconcocted,uncopied,uncounterfeited,undeniable,underived,undisguised,undisguising,undisputed,undistorted,undoubted,unexaggerated,unfabricated,unfanciful,unfeigned,unfeigning,unfictitious,unflattering,unimagined,unimitated,uninvented,unique,unpretended,unpretending,unqualified,unquestionable,unromantic,unsimulated,unspecious,unsynthetic,unvarnished,up-and-up,valid,verbal,verbatim,veridical,verisimilar,veritable,very,weighty,word-for-word 1527 - authenticate,OK,accept,accredit,affirm,amen,approve,attest,authorize,autograph,avouch,back,back up,bear out,bolster,buttress,certify,circumstantiate,confirm,corroborate,cosign,countersign,demonstrate,document,endorse,fortify,give permission,give the go-ahead,give the imprimatur,give thumbs up,initial,justify,notarize,pass,pass on,pass upon,permit,probate,prove,ratify,reinforce,rubber stamp,sanction,say amen to,seal,second,sign,sign and seal,strengthen,subscribe to,substantiate,support,sustain,swear and affirm,swear to,test,try,undergird,undersign,underwrite,uphold,validate,verify,visa,vise,vouch for,warrant 1528 - authenticated,accepted,acknowledged,actual,admitted,affirmed,allowed,approved,ascertained,attested,avowed,borne out,categorically true,certain,certified,circumstantiated,conceded,confessed,confirmed,corroborated,countersigned,demonstrated,determined,documentary,effectual,endorsed,established,factual,fixed,granted,historical,not in error,notarized,objectively true,professed,proved,proven,ratified,real,received,recognized,sealed,settled,shown,signed,stamped,substantiated,sure-enough,sworn and affirmed,sworn to,true,true as gospel,truthful,unconfuted,undenied,underwritten,undoubted,unerroneous,unfallacious,unfalse,unmistaken,unquestionable,unrefuted,validated,veracious,verified,veritable,warranted 1529 - authenticity,absolute realism,accomplished fact,actuality,artlessness,authoritativeness,bona fideness,calculability,canonicalness,canonicity,creativeness,creativity,dependability,factuality,fait accompli,faithworthiness,firmness,freshness,genuineness,gospel truth,grim reality,historicity,honesty,inartificiality,innovation,inventiveness,invincibility,legitimacy,lifelikeness,literalism,literality,literalness,naturalism,naturalness,newness,nonimitation,not a dream,novelty,objective existence,originality,orthodoxicalness,orthodoxism,orthodoxness,orthodoxy,photographic realism,predictability,realism,reality,realness,reliability,religious truth,right belief,rightness,secureness,security,sincerity,solidity,soundness,stability,staunchness,steadfastness,steadiness,substantiality,the truth,traditionalism,true-to-lifeness,trustworthiness,truth,truth to nature,unadulteration,unaffectedness,unerringness,unfictitiousness,uniqueness,unspeciousness,unspuriousness,unsyntheticness,validity,verisimilitude 1530 - author,actor,advertising writer,agent,ancestor,ancestors,annalist,apprentice,architect,art critic,artificer,artist,authoress,bear,beget,begetter,beginner,belletrist,bibliographer,breed,bring about,bring forth,bring to effect,bring to pass,builder,catalyst,cause,causer,coauthor,collaborate,collaborator,columnist,compiler,compose,composer,conceive,conceiver,constructor,copywriter,craftsman,create,creative writer,creator,critic,dance critic,dash off,descanter,designer,deviser,diarist,discourser,discoverer,disquisitor,do,doer,drama critic,dramatist,editorialize,effect,effector,effectuate,encyclopedist,engender,engenderer,engineer,essayist,establish,executant,executor,executrix,expositor,fabricator,father,formulate,found,founder,framer,free lance,free-lance,free-lance writer,generate,generator,gestate,ghost,ghostwrite,ghostwriter,give birth to,give occasion to,give origin to,give rise to,grower,humorist,inaugurate,inaugurator,indite,inditer,industrialist,initiator,inspirer,instigator,institute,institutor,introducer,inventor,journeyman,knock off,knock out,literary artist,literary craftsman,literary critic,literary man,litterateur,logographer,magazine writer,make,maker,man of letters,manufacturer,master,master craftsman,medium,monographer,monographist,mother,mover,music critic,newspaperman,novelettist,novelist,novelize,occasion,operant,operative,operator,organizer,origin,originate,originator,pamphleteer,parent,past master,patriarch,penwoman,performer,perpetrator,planner,poet,practitioner,precursor,prepare,prime mover,primum mobile,procreator,produce,producer,prose writer,raiser,realize,realizer,reviewer,scenario writer,scenarist,scenarize,scribe,scriptwriter,set afloat,set on foot,set up,shaper,short-story writer,sire,smith,source,storyteller,subject,technical writer,throw on paper,tractation,word painter,wordsmith,work,worker,wright,write,writer 1531 - authoritarian,Spartan,Spartanic,absolute,absolutist,absolutistic,arbitrary,aristocratic,arrogant,ascendant,astringent,austere,authoritative,authorized,autocratic,autonomous,bigot,bigoted,borne,bossy,bureaucratic,civic,civil,closed,clothed with authority,commanding,competent,consequential,considerable,constitutional,constricted,controlling,cramped,creedbound,deaf,deaf to reason,demanding,democratic,despotic,dictatorial,doctrinaire,dogmatic,dominant,domineering,dour,duly constituted,eminent,empowered,ex officio,exacting,exigent,fanatical,fascist,fascistic,federal,federalist,federalistic,feudal,governing,governmental,great,grim,grinding,gubernatorial,harsh,heavy-handed,hegemonic,hegemonistic,heteronomous,hidebound,high-handed,illiberal,imperative,imperial,imperious,important,influential,insular,leading,little,little-minded,lordly,magisterial,magistral,masterful,matriarchal,matriarchic,mean,mean-minded,mean-spirited,meticulous,mighty,momentous,monarchal,monarchial,monarchic,monocratic,narrow,narrow-hearted,narrow-minded,narrow-souled,narrow-spirited,nearsighted,official,oligarchal,oligarchic,oppressive,overbearing,overruling,parliamentarian,parliamentary,parochial,patriarchal,patriarchic,peremptory,petty,pluralistic,political,potent,powerful,preeminent,prestigious,prominent,provincial,puissant,purblind,ranking,repressive,republican,rugged,ruling,self-governing,senior,severe,shortsighted,small,small-minded,stern,straitlaced,strict,stringent,stuffy,substantial,superior,suppressive,supreme,theocratic,total,totalitarian,tough,tyrannical,tyrannous,uncatholic,uncharitable,ungenerous,unliberal,unsparing,unyielding,weighty 1532 - authoritative,Christian,Daedalian,absolute,absolutist,absolutistic,accepted,accurate,acquainted with,adept,adroit,approved,apt,arbitrary,aristocratic,armipotent,arrogant,artistic,ascendant,assuring,at home in,at home with,attested,authentic,authenticated,authoritarian,authorized,autocratic,binding,bossy,bravura,brilliant,canonical,cathedral,certified,charismatic,charming,circumstantiated,clean,clever,clothed with authority,cogent,commanding,competent,conclusive,confined,confirmed,consequential,considerable,consistent,controlling,conventional,conversant with,convictional,convincing,coordinated,correct,crack,crackerjack,cunning,customary,cute,daedal,decisive,deft,dependable,despotic,determinative,dexterous,dextrous,dictated,dictatorial,didactic,diplomatic,doctrinaire,documented,dogmatic,dominant,domineering,duly constituted,dynamic,effective,effectual,efficacious,eminent,empowered,enchanting,energetic,estimable,evangelical,ex cathedra,ex officio,excellent,expert,factual,faithful,familiar with,fancy,feature,featured,feudal,firm,forceful,forcible,formulary,good,goodish,governing,graceful,great,grinding,handy,hard and fast,hegemonic,hegemonistic,high-handed,high-potency,high-powered,high-pressure,high-tension,imperative,imperial,imperious,important,impressive,in force,in power,indisputable,influential,informed in,ingenious,instructive,intimate with,irrefutable,irresistible,just,knowledgeable,lawful,leading,learned,legal,legitimate,limited,literal,logical,lordly,magisterial,magistral,magnetic,mandatory,master of,masterful,masterly,mighty,mighty in battle,momentous,monocratic,neat,no mean,of the faith,official,operative,oppressive,orthodox,orthodoxical,overbearing,overruling,peremptory,personable,persuasive,politic,potent,powerful,preceptive,preeminent,prepotent,prescribed,prescript,prescriptive,prestigious,professional,proficient,proficient in,prominent,proper,proven,puissant,quick,quite some,ranking,ready,received,regulation,reliable,repressive,reputable,resourceful,restricted,right,rubric,ruling,sanctioned,satisfactory,satisfying,scholarly,scriptural,self-consistent,senior,severe,skillful,slick,solid,some,sound,specialist,specialistic,specialized,standard,statesmanlike,statutory,strict,striking,strong,strong in,stylish,suasive,substantial,sufficient,superior,suppressive,supreme,sure,tactful,technical,telling,textual,the compleat,the complete,totalitarian,traditional,traditionalistic,true,true-blue,trustable,trustworthy,truthful,tyrannical,tyrannous,unrefutable,up on,valid,validated,verifiable,verified,veritable,versed in,vigorous,virtuoso,vital,weighty,well-done,well-founded,well-grounded,well-read in,winning,workmanlike 1533 - authorities,John Bull,Uncle Sam,Washington,Whitehall,bureaucracy,directorate,hierarchy,higher echelons,higher-ups,management,ministry,officialdom,prelacy,ruling class,ruling classes,the Crown,the Establishment,the administration,the authorities,the government,the ingroup,the interests,the people upstairs,the power elite,the power structure,the top,them,they,top brass 1534 - authority,Admirable Crichton,acme,adept,administration,adviser,affidavit,aficionado,agency,agentship,amateur,amperage,announcer,annunciator,appurtenance,arbiter,arbiter elegantiarum,arbiter of taste,armipotence,artisan,artist,artiste,ascendancy,assignment,attache,attestation,authoritativeness,authorities,authority,authorization,be-all and end-all,beef,bill of health,birthright,black power,blue ribbon,bon vivant,brevet,brute force,buff,care,certificate,certificate of proficiency,certification,championship,channel,charge,charisma,charm,claim,claws,clearance,clout,clutches,cogence,cogency,cognoscente,collector,command,commission,commissioning,commitment,communicant,communicator,compulsion,conduct,conjugal right,connaisseur,connoisseur,consequence,consignment,consultant,control,cordon bleu,countenance,crack shot,craftsman,credential,credit,critic,cure,dead shot,delegated authority,delegation,demand,deposition,deputation,devolution,devolvement,dilettante,dint,diploma,diplomat,diplomatist,direction,directorship,disposition,divine right,doctor,dominance,domination,dominion,drive,droit,due,duress,effect,effectiveness,effectuality,elder,elder statesman,embassy,eminence,empery,empire,empowerment,enabling,enchantment,energy,enfranchisement,enlightener,entitlement,entrusting,entrustment,epicure,epicurean,errand,establishment,esteem,evidence,example,executorship,exemplar,exequatur,experienced hand,experimental scientist,expert,expert consultant,expert witness,factorship,faculty,fan,favor,fiat,first place,first prize,flower power,force,force majeure,forcefulness,freak,full blast,full force,full power,good feeling,good judge,gossipmonger,gourmand,gourmet,governance,government,graduate,grapevine,great soul,greatness,grip,guidance,guru,hand,handling,hands,handy man,headship,hegemony,height,highest,hold,husbandry,ideal,illuminate,imperium,importance,inalienable right,incidental power,influence,influentiality,influentialness,informant,information center,information medium,informer,insinuation,intellect,intellectual,interest,interviewee,iron hand,journeyman,judge,jurisdiction,justness,kingship,lead,leadership,leading,legation,leverage,license,lieutenancy,lordship,lover of wisdom,magisterialness,magnetism,mahatma,main force,main strength,man of intellect,man of science,man of wisdom,mana,management,managery,managing,mandarin,mandate,manipulation,marksman,master,mastermind,mastership,mastery,maven,maximum,mentor,might,might and main,mightiness,mission,model,moment,monitor,most,mouthpiece,moxie,muscle power,navicert,ne plus ultra,new high,newsmonger,no slouch,notarized statement,note,notifier,nut,office,officialdom,officials,oracle,ordering,palms,paramountcy,past master,pattern,personality,persuasion,philosopher,pilotage,pizzazz,plenipotentiary power,police,politician,poop,potence,potency,potentiality,power,power of attorney,power pack,power structure,power struggle,power to act,powerfulness,powers that be,practical scientist,precedence,predominance,preponderance,prepotency,prerogative,prescription,presidency,press,pressure,prestige,presumptive right,pretense,pretension,primacy,priority,pro,procuration,productiveness,productivity,professional,professor,proficient,prominence,proper claim,property right,proxy,public relations officer,publisher,puissance,pull,punch,pundit,purchase,purview,push,rabbi,radio,raj,rank,ratification,record,refined palate,regency,regentship,regnancy,regulation,reign,reporter,repute,responsibility,right,rishi,rule,running,sage,sanction,sapient,savant,say,say-so,scholar,scientist,seer,seniority,shark,sharp,sheepskin,sinew,solidity,soundness,source,sovereignty,specialist,spokesman,standard,starets,statesman,stature,steam,steerage,steering,strength,strings,strong arm,suasion,substantiality,subtle influence,suggestion,superiority,superpower,supremacy,sway,sworn statement,talons,task,technical adviser,technical expert,technician,technologist,television,teller,testamur,testimonial,testimony,the conn,the helm,the wheel,thinker,ticket,tipster,title,top spot,tout,trust,trusteeship,upper hand,validity,vehemence,vested interest,vested right,vicarious authority,vigor,vim,virility,virtue,virtuoso,virulence,visa,vise,vitality,voucher,warrant,warranty,wattage,weight,weightiness,whip hand,wise man,wise old man,witness,wizard,word,zenith 1535 - authorization,John Hancock,OK,acceptance,accession,accredit,acme,advance,affidavit,affirmance,affirmation,agency,agentship,aid,allow,allowance,anointing,anointment,appointment,approbation,approval,approve,arrogation,assignment,assist,assumption,attestation,authentication,authority,be-all and end-all,bill of health,blue ribbon,brevet,care,certificate,certificate of proficiency,certification,championship,charge,clearance,command,commission,commissioning,commitment,confirmation,consecration,consent,consignment,control,coronation,countenance,countersignature,credential,cure,delegated authority,delegation,deposition,deputation,devolution,devolvement,diploma,directorship,dominion,effectiveness,election,embassy,empower,empowerment,enable,enabling,enactment,endorse,endorsement,enfranchisement,entitlement,entrusting,entrustment,errand,executorship,exequatur,facilitate,factorship,fiat,first place,first prize,forward,full power,further,go-ahead,green light,headship,hegemony,height,help,highest,imperium,imprimatur,influence,jurisdiction,kingship,leadership,leave,legalization,legation,legislation,legitimate succession,legitimatization,let,license,lieutenancy,lordship,management,mandate,mastership,mastery,maximum,mission,most,navicert,ne plus ultra,new high,nod,notarization,notarized statement,note,office,okay,palms,paramountcy,permission,permit,plenipotentiary power,power,power of attorney,power to act,presidency,primacy,procuration,promote,proxy,purview,qualify,ratification,record,regency,regentship,responsibility,rubber stamp,rule,sanction,say,seal,seizure,sheepskin,sigil,signature,signet,sovereignty,stamp,stamp of approval,subscription,subserve,succession,sufferance,support,supremacy,sway,sworn statement,taking over,task,testamur,testimonial,the nod,ticket,top spot,trust,trusteeship,usurpation,validation,vest,vicarious authority,visa,vise,voucher,warrant,warranty,witness,zenith 1536 - authorize,OK,accept,accredit,affirm,allow,amen,appoint,approve,arm,assign,authenticate,autograph,certificate,certify,charge,charter,clothe,clothe with power,commission,commit,confirm,consent to,consign,constitute,cosign,countenance,countersign,declare lawful,decree,delegate,demand,depute,deputize,detach,detail,devolute,devolve,devolve upon,dictate,empower,enable,enact,endorse,endow,endue,enfranchise,entitle,entrust,establish,formulate,franchise,give in charge,give leave,give official sanction,give permission,give power,give the go-ahead,give the imprimatur,give thumbs up,impose,initial,invest,lay down,legalize,legislate,legitimate,legitimatize,legitimize,license,make a regulation,make legal,make obligatory,mission,notarize,okay,ordain,pass,pass on,pass upon,patent,permit,post,prescribe,privilege,put in force,ratify,regulate,require,rubber stamp,sanction,say amen to,seal,second,send out,set,sign,sign and seal,subscribe to,support,swear and affirm,swear to,transfer,undersign,underwrite,validate,visa,vise,warrant 1537 - authorized,absolute,accredited,actionable,applicable,appointed,ascendant,authoritarian,authoritative,autocratic,chartered,clothed with authority,commanding,commissioned,competent,consequential,considerable,constitutional,controlling,delegated,deputized,dominant,duly constituted,eminent,empowered,enfranchised,entitled,ex officio,franchised,governing,great,hegemonic,hegemonistic,imperative,important,influential,judicial,juridical,just,justiciable,kosher,lawful,lawmaking,leading,legal,legislative,legit,legitimate,licensed,licit,mighty,momentous,monocratic,official,patented,potent,powerful,preeminent,prestigious,privileged,prominent,puissant,ranking,rightful,ruling,sanctioned,senior,statutory,substantial,superior,supreme,totalitarian,valid,warranted,weighty,within the law 1538 - authorship,artistry,authorcraft,automatic writing,beginning,cacoethes scribendi,coinage,composition,conception,concoction,contrivance,contriving,creation,creative effort,creative writing,devising,drama-writing,editorial-writing,essay-writing,expository writing,fabrication,facility in writing,feature-writing,generation,graphomania,graphorrhea,graphospasm,hatching,improvisation,inditement,invention,journalism,libretto-writing,literary artistry,literary composition,literary power,literary production,literary talent,making do,mintage,novel-writing,origination,pen,pencraft,playwriting,ready pen,rewriting,short-story writing,skill with words,technical writing,verse-writing,writing 1539 - autism,acquisitiveness,airy nothing,alienation,anesthesia,autistic thinking,avoidance mechanism,bashfulness,blame-shifting,bubble,careerism,catatonia,chill,chilliness,chimera,cold blood,cold heart,coldheartedness,coldness,compensation,coolness,daydream,deadpan,deception,decompensation,defense mechanism,deluded belief,delusion,dereism,dereistic thinking,dispassion,dispassionateness,displacement,dissociability,dissociation,dream,dream vision,dreamery,dreamland,dreamworld,dullness,ego trip,egotism,emotional deadness,emotional insulation,emotionlessness,escape,escape into fantasy,escape mechanism,escapism,false belief,fantasizing,fantasy,flight,flight of fancy,frigidity,frostiness,graspingness,greed,heartlessness,iciness,ideal,idealism,ideality,idealization,ignis fatuus,illusion,imaginative exercise,immovability,impassibility,impassiveness,impassivity,impracticality,incompatibility,individualism,inexcitability,insociability,interest,isolation,lack of affect,lack of feeling,lack of touch,misbelief,misconception,mopishness,moroseness,narcissism,negativism,objectivity,obtuseness,overcompensation,passionlessness,personal aims,personal ambition,personal desires,personalism,pipe dream,play of fancy,poker face,possessiveness,privatism,projection,psychotaxis,quixotism,quixotry,rationalization,remoteness,resistance,romance,romanticism,self-absorption,self-admiration,self-advancement,self-centeredness,self-consideration,self-containment,self-deceit,self-deception,self-delusion,self-devotion,self-esteem,self-indulgence,self-interest,self-interestedness,self-jealousy,self-occupation,self-pleasing,self-seeking,self-serving,self-solicitude,self-sufficiency,selfishness,selfism,social incompatibility,sociological adjustive reactions,soullessness,spiritlessness,straight face,sublimation,substitution,sullenness,trick,trip,uncommunicativeness,uncompanionability,uncongeniality,unemotionalism,unexcitability,unfeeling,unfeelingness,unfriendliness,ungeniality,ungregariousness,unimpressibility,unimpressionableness,unpassionateness,unpracticalness,unrealism,unreality,unresponsiveness,unsociability,unsociableness,unsusceptibility,unsympatheticness,untouchability,utopianism,vapor,visionariness,wish fulfillment,wish-fulfillment fantasy,wishful thinking,withdrawal,wrong impression 1540 - autistic,Barmecidal,Barmecide,acquisitive,affectless,airy,ambitious for self,anesthetized,apparent,apparitional,arctic,bashful,blunt,careerist,catatonic,chill,chilly,chimeric,close,cold,cold as charity,cold-blooded,coldhearted,cool,deceptive,delusional,delusionary,delusive,delusory,dereistic,dispassionate,dissociable,dreamlike,dreamy,drugged,dull,egotistical,emotionally dead,emotionless,erroneous,fallacious,false,fantastic,frigid,frosted,frosty,frozen,grasping,greedy,heartless,icy,idealistic,illusional,illusionary,illusive,illusory,imaginary,immovable,impassible,impassive,impractical,in the clouds,incompatible,individualistic,inexcitable,insociable,insusceptible,misleading,mopey,mopish,morose,narcissistic,nonemotional,nongregarious,objective,obtuse,ostensible,otherworldly,out of touch,passionless,personalistic,phantasmagoric,phantasmal,phantom,poetic,possessive,privatistic,quixotic,remote,romancing,romantic,romanticized,seeming,self-absorbed,self-admiring,self-advancing,self-besot,self-centered,self-considerative,self-contained,self-deceptive,self-deluding,self-devoted,self-esteeming,self-indulgent,self-interested,self-jealous,self-occupied,self-pleasing,self-seeking,self-serving,self-sufficient,selfish,snug,socially incompatible,soulless,specious,spectral,spiritless,starry-eyed,storybook,sullen,supposititious,transcendental,transmundane,unactual,unaffectionate,unclubbable,uncommunicative,uncompanionable,uncongenial,unemotional,unfeeling,unfounded,unfriendly,ungenial,unimpassioned,unimpressionable,unloving,unpassionate,unpractical,unreal,unrealistic,unresponding,unresponsive,unsociable,unsocial,unsubstantial,unsusceptible,unsympathetic,untouchable,visionary,wish-fulfilling 1541 - auto,PCV valve,accelerator,alternator,ammeter,autocar,automobile,bearings,boat,bonnet,boot,brake,bucket seat,buggy,bumper,bus,camshaft,car,carburetor,charioteer,chassis,choke,clutch,connecting rod,convertible top,cowl,crank,crankcase,crankshaft,crate,cutout,cylinder,cylinder head,dash,dashboard,differential,distributor,exhaust,exhaust pipe,fan,fender,flywheel,gear,gearbox,gearshift,generator,headlight,headrest,heap,hood,horn,ignition,intake,jalopy,machine,manifold,motor,motor vehicle,motorcar,motorized vehicle,muffler,parking light,pilot,piston,power brakes,power steering,radiator,rear-view mirror,ride,seat belt,shock absorber,spark plug,speedometer,springs,starter,steering wheel,tool,top,transmission,tub,universal,valve,voiture,wheel,wheels,windscreen,windshield,wreck 1542 - autobiography,Clio,Muse of history,adventures,annals,biographical sketch,biography,case history,chronicle,chronicles,chronology,confessions,curriculum vitae,diary,experiences,fortunes,hagiography,hagiology,historiography,history,journal,legend,letters,life,life and letters,life story,martyrology,memoir,memoirs,memorabilia,memorial,memorials,necrology,obituary,photobiography,profile,record,resume,story,theory of history 1543 - autochthonous,abecedarian,aboriginal,ancestral,antenatal,antepatriarchal,atavistic,beginning,budding,creative,elemental,elementary,embryonic,endemic,fetal,formative,foundational,fundamental,gestatory,homebred,homegrown,humanoid,in embryo,in its infancy,in the bud,inaugural,inceptive,inchoate,inchoative,incipient,incunabular,indigenous,infant,infantile,initial,initiative,initiatory,introductory,inventive,nascent,natal,native,native-born,original,parturient,patriarchal,postnatal,preadamite,preglacial,pregnant,prehistoric,prehuman,prenatal,primal,primary,prime,primeval,primitive,primogenial,primoprimitive,primordial,pristine,procreative,protohistoric,protohuman,rudimental,rudimentary,ur,vernacular 1544 - autocrat,Simon Legree,absolute monarch,absolute ruler,all-powerful ruler,arrogator,autarch,caesar,commissar,czar,despot,dictator,disciplinarian,driver,duce,hard master,martinet,oligarch,oppressor,pharaoh,slave driver,stickler,tyrant,usurper,warlord 1545 - autocratic,absolute,absolutist,absolutistic,arbitrary,aristocratic,arrogant,ascendant,autarchic,authoritarian,authoritative,authorized,autonomous,bossy,bureaucratic,civic,civil,clothed with authority,commanding,competent,consequential,considerable,constitutional,controlling,democratic,despotic,dictatorial,dominant,domineering,duly constituted,eminent,empowered,ex officio,fascist,federal,federalist,federalistic,feudal,governing,governmental,great,grinding,gubernatorial,haughty,hegemonic,hegemonistic,heteronomous,high-handed,imperative,imperial,imperious,important,influential,leading,lordly,magisterial,magistral,masterful,matriarchal,matriarchic,mighty,momentous,monarchal,monarchial,monarchic,monocratic,official,oligarchal,oligarchic,oppressive,overbearing,overruling,overweening,parliamentarian,parliamentary,patriarchal,patriarchic,peremptory,pluralistic,political,potent,powerful,preeminent,prestigious,prominent,puissant,ranking,repressive,republican,ruling,self-governing,senior,severe,strict,substantial,superior,suppressive,supreme,theocratic,totalitarian,tyrannical,tyrannous,weighty 1546 - autodidactic,bookish,coeducational,college-bred,collegiate,cultural,didactic,disciplinary,edifying,educated,educating,educational,educative,enlightening,exhortatory,graduate,homiletic,hortatory,illuminating,informative,initiatory,instructive,introductory,learned,lecturing,postgraduate,preaching,preceptive,propaedeutic,schoolboyish,schoolgirlish,self-educated,self-instructed,self-teaching,sophomoric,studentlike,studious,teaching,tuitionary,undergraduate 1547 - autoeroticism,active algolagnia,algolagnia,algolagny,amour-propre,amphierotism,anal intercourse,bestiality,bisexuality,buggery,complacency,consequentiality,coprophilia,cunnilingus,ego trip,exhibitionism,fellatio,fellation,fetishism,hand job,heterosexuality,homoeroticism,homosexualism,homosexuality,incest,incestuousness,irrumation,lesbianism,manipulation,masochism,masturbation,narcism,narcissism,necrophilia,onanism,oral-genital stimulation,overproudness,overweening pride,paraphilia,passive algolagnia,pederasty,pedophilia,sadism,sadomasochism,sapphism,scotophilia,self-abuse,self-admiration,self-approbation,self-complacency,self-congratulation,self-content,self-delight,self-endearment,self-esteem,self-gratulation,self-importance,self-infatuation,self-love,self-respect,self-satisfaction,self-sufficiency,self-worship,sexual inversion,sexual normality,sexual preference,smugness,sodomy,swinging both ways,transvestitism,tribadism,tribady,vaingloriousness,vainglory,vainness,vanity,voyeurism,zooerastia,zoophilia 1548 - autograph,John Hancock,X,article,brainchild,christcross,cipher,composition,computer printout,copy,countermark,countersign,countersignature,counterstamp,cross,device,document,draft,edited version,endorsement,engrossment,essay,fair copy,fiction,final draft,finished version,first draft,first edition,flimsy,hand,holograph,initials,ink,letter,literae scriptae,literary artefact,literary production,literature,lucubration,manuscript,mark,mark of signature,matter,monogram,nonfiction,opus,original,paper,parchment,penscript,piece,piece of writing,play,poem,printed matter,printout,production,reading matter,recension,screed,scrip,script,scrive,scroll,seal,second draft,sigil,sign manual,signature,signet,subscribe,subscription,the written word,transcript,transcription,typescript,version,visa,vise,work,writing 1549 - automat,beanery,bistro,buffet,buvette,cafe,cafeteria,canteen,cantina,chophouse,chuck wagon,coffee shop,coffeehouse,coffeeroom,coin machine,coin-operated machine,cookhouse,cookshack,cookshop,diner,dining hall,dining room,dog wagon,drive-in,drive-in restaurant,eatery,eating house,fast-food chain,grill,grillroom,hamburger stand,hash house,hashery,hot-dog stand,kitchen,lunch counter,lunch wagon,luncheonette,lunchroom,mess hall,pizzeria,quick-lunch counter,restaurant,slot machine,smorgasbord,snack bar,tavern,tearoom,trattoria,vending machine,vendor 1550 - automated,automatic,automatous,cybernated,self-acting,self-active,self-adjusting,self-closing,self-controlled,self-cooking,self-directed,self-directing,self-dumping,self-governed,self-governing,self-lighting,self-operative,self-regulative,self-starting,self-winding,self-working,semiautomatic,spontaneous 1551 - automatic writing,Ouija,artistry,authorcraft,authorship,automatism,blind impulse,cacoethes scribendi,composition,compulsiveness,conditioning,creative writing,drama-writing,echolalia,echopraxia,editorial-writing,essay-writing,expository writing,facility in writing,feature-writing,graphomania,graphorrhea,graphospasm,impulse,inditement,instinct,instinctiveness,involuntariness,journalism,levitation,libretto-writing,literary artistry,literary composition,literary power,literary production,literary talent,materialization,novel-writing,pen,pencraft,planchette,playwriting,poltergeist,poltergeistism,psychography,psychorrhagy,ready pen,reflex action,rewriting,sheer chemistry,short-story writing,skill with words,spirit manifestation,spirit rapping,table tipping,technical writing,telekinesis,teleportation,telesthesia,trance speaking,unwilledness,verse-writing,writing 1552 - automatic,accordant,accustomed,alike,automated,automatic device,automaton,automatous,balanced,beaten,blind,blowgun,blowpipe,casual,compulsive,conditioned,confirmed,consistent,consonant,constant,continuous,correspondent,cybernated,cyborg,equable,equal,even,firearm,flamethrower,flat,forced,frequent,gat,gun,gut,habitual,habituated,hackneyed,handgun,heater,homogeneous,ill-advised,ill-considered,ill-devised,immutable,impulsive,inadvertent,indeliberate,ineluctable,inescapable,inevitable,inherent,innate,instinctive,instinctual,invariable,involuntary,level,libidinal,measured,mechanical,mechanical man,methodic,monolithic,musket,natural,of a piece,ordered,orderly,peashooter,persistent,piece,pistol,prompt,quick,ready,recurrent,recurring,reflex,reflexive,regular,repeater,repetitive,revolver,rifle,robot,robotlike,rod,routine,sawed-off shotgun,self-acting,self-active,self-adjusting,self-closing,self-controlled,self-cooking,self-directed,self-directing,self-dumping,self-governed,self-governing,self-lighting,self-mover,self-operative,self-regulating,self-regulative,self-starting,self-winding,self-working,semiautomatic,shooting iron,shotgun,six-gun,six-shooter,smooth,snap,spontaneous,stable,steadfast,steady,stereotyped,subliminal,systematic,trite,unadvised,unavoidable,unbroken,uncalculated,unchangeable,unchanged,unchanging,unconscious,unconsidered,undeliberate,undeliberated,undesigned,undeviating,undifferentiated,undiversified,uniform,unintended,unintentional,unlearned,unmeditated,unpremeditated,unprompted,unruffled,unstudied,unthinking,unvaried,unvarying,unwilled,unwilling,unwitting,well-trodden,well-worn 1553 - automatism,Ouija,automatic control,automatic writing,automation,automatization,bad habit,blind impulse,characteristic,compulsiveness,conditioning,creature of habit,custom,echolalia,echopraxia,force of habit,habit,habit pattern,habitude,impulse,instinct,instinctiveness,involuntariness,levitation,materialization,pattern,peculiarity,planchette,poltergeist,poltergeistism,practice,praxis,psychography,psychorrhagy,reflex action,second nature,self-action,self-activity,self-determination,self-direction,self-government,self-motion,self-propulsion,self-regulation,sheer chemistry,spirit manifestation,spirit rapping,stereotype,stereotyped behavior,table tipping,telekinesis,teleportation,telesthesia,trance speaking,trick,unwilledness,usage,use,way,wont 1554 - automobile,PCV valve,accelerator,alternator,ambulance,ammeter,armored car,auto,autocar,beach buggy,bearings,berlin,boat,bonnet,boot,brake,brougham,bucket seat,buggy,bumper,bus,cabriolet,camper,camshaft,car,carburetor,carryall,chassis,choke,clutch,coach,combat car,command car,connecting rod,convertible,convertible coupe,convertible sedan,convertible top,coupe,cowl,crank,crankcase,crankshaft,crate,cutout,cylinder,cylinder head,dash,dashboard,differential,distributor,double fueler,dragster,exhaust,exhaust pipe,fan,fastback,fender,fire engine,flywheel,fueler,gear,gearbox,gearshift,generator,gocart,golf cart,headlight,headrest,heap,hearse,hood,horn,hot rod,hovercar,ignition,intake,jalopy,jeep,landau,limousine,machine,manifold,motor,motor vehicle,motorcar,motorized vehicle,muffler,parking light,phaeton,piston,power brakes,power steering,race car,racer,racing car,radiator,rail,rear-view mirror,roadster,rocket car,runabout,saloon,seat belt,sedan,sedan limousine,shock absorber,spark plug,speedometer,sports car,springs,staff car,starter,station wagon,steamer,steering wheel,top,torpedo,tourer,touring coupe,tractor,transmission,tub,two-seater,universal,valve,voiture,wheels,windscreen,windshield,wreck,wrecker 1555 - autonomous,absolute,arbitrary,aristocratic,autarchic,autarkic,authoritarian,autocratic,bureaucratic,civic,civil,constitutional,democratic,despotic,dictatorial,discretional,discretionary,elective,fascist,federal,federalist,federalistic,free,free will,free-spirited,freewheeling,governmental,gratuitous,gubernatorial,heteronomous,independent,individualistic,inner-directed,matriarchal,matriarchic,monarchal,monarchial,monarchic,monocratic,neutral,nonaligned,nonmandatory,nonpartisan,offered,official,oligarchal,oligarchic,optional,parliamentarian,parliamentary,patriarchal,patriarchic,pluralistic,political,proffered,republican,self-acting,self-active,self-contained,self-dependent,self-determined,self-determining,self-directing,self-governed,self-governing,self-reliant,self-subsistent,self-sufficient,self-supporting,separate,sovereign,spontaneous,theocratic,third-force,third-world,totalitarian,unasked,unbesought,unbidden,uncalled-for,uncoerced,uncompelled,unconstrained,uncontrolled,unforced,uninfluenced,uninvited,unpressured,unprompted,unrequested,unrequired,unsolicited,unsought,voluntary,volunteer,willful 1556 - autonomy,Declaration of Independence,absolute monarchy,aristocracy,autarchy,autarky,autocracy,autonomousness,coalition government,colonialism,commonwealth,constitutional government,constitutional monarchy,democracy,dictatorship,dominion rule,duarchy,duumvirate,dyarchy,federal government,federation,feudal system,free will,garrison state,gerontocracy,gratuitousness,heteronomy,hierarchy,hierocracy,home rule,independence,individualism,inner-direction,limited monarchy,martial law,meritocracy,militarism,military government,mob rule,mobocracy,monarchy,neocolonialism,ochlocracy,oligarchy,pantisocracy,patriarchate,patriarchy,police state,pure democracy,regency,representative democracy,representative government,republic,rugged individualism,self-action,self-activity,self-containment,self-determination,self-direction,self-government,self-reliance,self-sufficiency,social democracy,spontaneity,spontaneousness,stratocracy,technocracy,thearchy,theocracy,totalitarian government,totalitarian regime,triarchy,triumvirate,tyranny,unforcedness,voluntariness,voluntarism,voluntaryism,volunteer,volunteering,welfare state 1557 - autopsy,canvass,check,check out,check over,check up on,coroner,examine,give an examination,go over,inquest,inspect,look at,look over,medical examiner,monitor,mortality committee,necropsy,necroscopy,observe,overhaul,overlook,pass over,pass under review,peer at,peruse,pore over,post,postmortem,postmortem examination,review,run over,scan,scrutinize,set an examination,size,size up,study,survey,take stock of,take the measure 1558 - autosuggestion,animal magnetism,hypnology,hypnosis,hypnotherapy,hypnotic suggestion,hypnotism,mesmerism,mesmerization,od,odyl,odylic force,posthypnotic suggestion,power of suggestion,self-hypnosis,self-suggestion,suggestibility,suggestion therapy,suggestionism 1559 - autumn,aestival,arctic,autumnal,boreal,brumal,canicular,equinoctial,fall,harvest,harvest home,harvest time,hibernal,hiemal,midsummer,midwinter,out of season,seasonal,solstitial,spring,springlike,summer,summerlike,summerly,summery,vernal,winter,winterlike,wintery,wintry 1560 - auxiliary,abetting,accessory,accident,accidental,acolyte,addendum,addition,additional,adjunct,adjutant,adjuvant,adscititious,adventitious,agent,aid,aide,aide-de-camp,aider,aiding,alter ego,ancillary,another,appendage,appurtenance,appurtenant,ascititious,assistance,assistant,assisting,attendant,auxiliary verb,backing,best man,casual,circumstantial,coadjutant,coadjutor,coadjutress,coadjutrix,collateral,complementary,contingency,contingent,contributory,copula,defective verb,deponent verb,deputy,executive officer,extra,farther,finite verb,fortuitous,fostering,fresh,further,girl Friday,happenstance,help,helper,helpful,helping,helpmate,helpmeet,impersonal verb,incidental,inessential,infinitive,instrumental,intransitive,intransitive verb,lieutenant,linking verb,man Friday,mere chance,ministerial,ministering,ministrant,modal auxiliary,more,neuter verb,new,nonessential,not-self,nurtural,nutricial,other,paranymph,paraprofessional,peripheral,plus,reserve,second,secondary,servant,serving,sideman,spare,subordinate,subservient,subsidiary,superadded,superaddition,superfluous,supernumerary,supervenient,supplement,supplemental,supplementary,support,supporter,supporting,supporting actor,supporting instrumentalist,supportive,surplus,transitive,tributary,ulterior,unessential,upholding,verb,verb phrase,verbal 1561 - avail,abet,account,advance,advantage,aid,answer,applicability,appositeness,appropriateness,assist,bail out,be equal to,be handy,be of use,bear,bear a hand,befriend,behalf,behoof,benefit,benison,bestead,blessing,boon,break no bones,comfort,convenience,do,do good,do it,do no harm,do the trick,doctor,ease,favor,fill,fill the bill,fitness,fulfill,gain,get by,give a boost,give a hand,give a lift,give good returns,give help,go around,good,hack it,help,hold,interest,just do,lend a hand,lend one aid,make the grade,meet,meet requirements,pass,pass muster,pay,pay off,percentage,point,proffer aid,profit,protect,qualify,rally,reach,reclaim,redeem,relevance,relieve,remedy,render assistance,rescue,restore,resuscitate,revive,satisfy,save,serve,serve the purpose,service,serviceability,set up,stand,stand up,stretch,succor,suffice,suitability,take in tow,take it,use,usefulness,value,welfare,well-being,work,work for,world of good,worth,yield a profit 1562 - availability,access,accessibility,actual presence,applicability,approachability,being here,being there,come-at-ableness,effectiveness,efficacy,efficiency,existence,functionality,getatableness,gettableness,helpfulness,hereness,immanence,immediacy,indwellingness,inherence,obtainability,obtainableness,occurrence,openness,operability,penetrability,perviousness,physical presence,practicability,practical utility,practicality,presence,procurability,procurableness,profitability,reachableness,securableness,serviceability,spiritual presence,thereness,ubiety,usability,use,usefulness,utility,utilizability,whereness 1563 - available,abandoned,accessible,adaptable,all-around,approachable,at hand,at leisure,at liberty,at loose ends,attainable,attendant,close by,come-at-able,convenient,deserted,disengaged,fallow,findable,forsaken,free,getatable,gettable,godforsaken,handy,idle,immanent,immediate,in view,indwelling,inherent,jobless,leisure,leisured,lumpen,nearby,obtainable,of all work,off,off duty,off work,on board,on call,on deck,on hand,on tap,open,open to,otiose,out of employ,out of harness,out of work,penetrable,pervious,present,procurable,reachable,ready,securable,tenantless,to be had,to hand,unemployable,unemployed,unfilled,uninhabited,unmanned,unoccupied,unpeopled,unpopulated,unstaffed,untaken,untenanted,untended,vacant,versatile,within call,within reach,within sight 1564 - avalanche,abundance,affluence,ample sufficiency,ampleness,amplitude,blizzard,bonanza,bountifulness,bountiousness,bumper crop,coast,copiousness,crystal,deluge,driven snow,embarras de richesses,enough,extravagance,extravagancy,exuberance,fertility,flake,flood,flow,flurry,foison,full measure,fullness,generosity,generousness,glide,glissade,glissando,granular snow,great abundance,great plenty,gush,igloo,inundation,landslide,landslip,lavishness,liberality,liberalness,lots,luxuriance,mantle of snow,maximum,mogul,money to burn,more than enough,much,myriad,myriads,numerousness,opulence,opulency,outpouring,overabundance,overaccumulation,overbounteousness,overcopiousness,overdose,overflow,overlavishness,overluxuriance,overmeasure,overmuchness,overnumerousness,overplentifulness,overplenty,overpopulation,overprofusion,oversufficiency,oversupply,plenitude,plenteousness,plentifulness,plenty,plethora,prevalence,prodigality,productiveness,profuseness,profusion,quantities,redundancy,repleteness,repletion,rich harvest,rich vein,richness,riot,riotousness,scads,shower,sideslip,skid,slide,slip,slippage,slither,slosh,slush,snow,snow banner,snow bed,snow blanket,snow blast,snow fence,snow flurry,snow roller,snow slush,snow squall,snow wreath,snow-crystal,snowball,snowbank,snowbridge,snowcap,snowdrift,snowfall,snowfield,snowflake,snowland,snowman,snowscape,snowshed,snowslide,snowslip,snowstorm,spate,stream,subsidence,substantiality,substantialness,superabundance,superflux,teemingness,wealth,wet snow 1565 - avant garde,a la mode,advance guard,advanced,airhead,ancestor,announcer,antecedent,authentic,battle line,beachhead,bellwether,bridgehead,buccinator,bushwhacker,contemporary,creative,exploratory,explorer,far out,farthest outpost,fashionable,first line,firsthand,forebear,forefront,foregoer,forerunner,forward-looking,fresh,front,front line,front rank,front runner,front-runner,frontiersman,fugleman,groundbreaker,guide,harbinger,herald,imaginative,in,inaugural,innovation,innovator,latest fad,latest fashion,latest wrinkle,lead runner,leader,line,messenger,mod,modern,modernistic,modernized,modish,new,new look,newfangled device,newfashioned,novel,novelty,now,original,outguard,outpost,pathfinder,pioneer,point,precedent,preceding,precursor,predecessor,preliminary,present-day,present-time,progressive,railhead,revolutionary,scout,spearhead,stormy petrel,streamlined,the in thing,the last word,the latest thing,trailblazer,trailbreaker,twentieth-century,ultra-ultra,ultramodern,underived,unique,up-to-date,up-to-datish,up-to-the-minute,van,vanguard,vaunt-courier,voortrekker,way out 1566 - avarice,acedia,acquisitiveness,anger,avariciousness,avaritia,avidity,avidness,cheapness,closefistedness,closeness,covetousness,craving,cupidity,deadly sin,desire,envy,frenzy of desire,frugality,fury of desire,gluttony,grasping,graspingness,greed,greediness,gula,hardfistedness,hoarding,hoggishness,illiberality,incontinence,inordinate desire,insatiability,insatiable desire,intemperateness,invidia,ira,itching palm,lust,luxuria,meanness,miserliness,nearness,niggardliness,overgreediness,parsimoniousness,parsimony,penny-pinching,penuriousness,piggishness,pride,rapaciousness,rapacity,ravenousness,selfishness,sloth,sordidness,stinginess,superbia,swinishness,thrift,tight purse strings,tightfistedness,tightness,ungenerosity,voraciousness,voracity,wolfishness,wrath 1567 - avaricious,a hog for,acquisitive,all-devouring,avid,bottomless,cheap,close,closefisted,coveting,covetous,devouring,esurient,gluttonous,gobbling,grabby,grasping,greedy,hardfisted,hoggish,illiberal,insatiable,insatiate,limitless,mean,mercenary,miserly,money-hungry,money-mad,near,niggardly,omnivorous,overgreedy,parsimonious,penny-pinching,penurious,piggish,pinchfisted,pinching,quenchless,rapacious,ravening,ravenous,save-all,selfish,slakeless,sordid,stingy,swinish,tight,tight-fisted,tightfisted,unappeasable,unappeased,ungenerous,unquenchable,unsated,unsatisfied,unslakeable,unslaked,venal,voracious 1568 - avatar,Buddha,Christophany,Jagannath,Juggernaut,Kurma,Matsya,Narsinh,Parshuram,Rama,Satanophany,Vaman,Varah,angelophany,apparition,appearance,appearing,arising,catabolism,catalysis,coming,coming into being,coming-forth,consubstantiation,disclosure,displacement,dissemination,embodiment,emergence,epiphany,evidence,evincement,exposure,expression,forthcoming,heterotopia,incarnation,indication,issuance,manifestation,materialization,materializing,metabolism,metagenesis,metamorphism,metamorphosis,metastasis,metathesis,metempsychosis,mutant,mutated form,mutation,occurrence,opening,permutation,pneumatophany,presentation,proof,publication,realization,reincarnation,revelation,rise,rising,showing,showing forth,sport,theophany,transanimation,transfiguration,transfigurement,transformation,transformism,translation,translocation,transmigration,transmogrification,transmutation,transposition,transubstantiation,unfolding,unfoldment 1569 - Ave Maria,Angelus,Ave,Hail Mary,Kyrie Eleison,Paternoster,aid prayer,appeal,beadroll,beads,beseechment,bidding prayer,breviary,chaplet,collect,communion,contemplation,devotions,entreaty,grace,impetration,imploration,intercession,invocation,litany,meditation,obsecration,obtestation,orison,petition,prayer,prayer wheel,rogation,rosary,silent prayer,suit,supplication,thanks,thanksgiving 1570 - avenge,avengement,avenging,chasten,chastise,compensate,correct,counterblow,even the score,get even with,launch a vendetta,pay back,pay out,punish,recompense,redress,repay,reprisal,requital,requite,retaliate,retribution,revanche,revenge,right,take revenge,vengeance,vindicate,wreckage 1571 - avenue,Autobahn,US highway,access,aisle,alley,alleyway,ambulatory,aperture,arcade,arterial,arterial highway,arterial street,artery,autoroute,autostrada,belt highway,blind alley,blowhole,boulevard,bypass,byway,camino real,carriageway,causeway,causey,channel,chaussee,chute,circumferential,cloister,close,colonnade,communication,conduit,connection,corduroy road,corridor,county road,court,covered way,crescent,cul-de-sac,dead-end street,debouch,defile,dike,dirt road,door,drag,drive,driveway,egress,emunctory,escape,estuary,exhaust,exit,expressway,ferry,floodgate,flume,ford,freeway,gallery,gravel road,highroad,highway,highways and byways,inlet,interchange,intersection,interstate highway,junction,lane,local road,loophole,main drag,main road,mews,motorway,opening,out,outcome,outfall,outgate,outgo,outlet,overpass,parkway,pass,passage,passageway,path,pave,paved road,pike,place,plank road,pore,port,portico,primary highway,private road,railroad tunnel,right-of-way,ring road,road,roadbed,roadway,route nationale,row,royal road,sally port,secondary road,sluice,speedway,spiracle,spout,state highway,street,superhighway,tap,terrace,thoroughfare,through street,thruway,toll road,township road,track,traject,trajet,tunnel,turnpike,underpass,vent,ventage,venthole,vomitory,way out,weir,wynd 1572 - aver,acknowledge,affirm,allege,announce,annunciate,argue,assert,assever,asseverate,attest,avouch,avow,bear witness,certify,contend,declare,defend,depone,depose,disclose,enunciate,express,give evidence,have,hold,insist,issue a manifesto,justify,lay down,maintain,manifesto,nuncupate,predicate,proclaim,profess,pronounce,protest,put,put it,quote,recite,relate,say,set down,speak,speak out,speak up,stand for,stand on,state,submit,swear,testify,vouch,warrant,witness 1573 - average man,Cockney,Everyman,John Smith,Public,average,bourgeois,common man,common run,commoner,everyman,everywoman,generality,girl next door,homme moyen sensuel,little fellow,little man,ordinary Joe,ordinary run,pleb,plebeian,proletarian,roturier,ruck,run 1574 - average,Everyman,Public,accustomed,amidships,as a rule,average man,average out,avoid extremes,balance,banal,besetting,bisect,bourgeois,center,central,common,common man,common run,commonplace,conventional,core,current,customarily,customary,dominant,double,epidemic,equatorial,equidistant,everyday,everyman,everywoman,fair,fairish,familiar,fold,garden,garden-variety,general,generality,generally,girl next door,golden mean,habitual,halfway,happy medium,homme moyen sensuel,household,in the main,indifferent,interior,intermediary,intermediate,juste-milieu,mean,medial,median,mediocre,mediocrity,mediterranean,medium,mesial,mezzo,mid,middle,middle course,middle ground,middle point,middle position,middle state,middle-class,middle-of-the-road,middlemost,middling,midland,midmost,midpoint,midships,midway,moderate,no great shakes,norm,normal,normally,normative,nuclear,ordinarily,ordinary,ordinary Joe,ordinary run,pair off,pandemic,par,plastic,popular,predominant,predominating,prescriptive,prevailing,prevalent,rampant,regnant,regular,regulation,reigning,rife,routine,ruck,rule,ruling,run,run-of-mine,run-of-the-mill,running,so so,so-so,split the difference,standard,stereotyped,stock,strike a balance,suburban,take the average,typical,typically,undistinguished,unexceptional,universal,unnoteworthy,unremarkable,unspectacular,usual,usually,vernacular,via media,wonted 1575 - averse,abhorrent,afraid,allergic,anti,antipathetic,at odds,averse to,backward,balky,contrary,cursory,differing,disaffected,disagreeing,disenchanted,disgusted,disinclined,disobedient,displeased,forced,fractious,hating,hesitant,hostile,ill-disposed,indisposed,indocile,involuntary,loath,loathing,mutinous,not charmed,opposed,perfunctory,perverse,put off,quailing,recalcitrant,recoiling,refractory,reluctant,resistant,shrinking,sulky,sullen,uncongenial,unconsenting,uneager,unfriendly,unsympathetic,unwilling 1576 - aversion,Anglophobia,Russophobia,abhorrence,abomination,allergy,anathema,animosity,antagonism,anti-Semitism,antipathy,averseness,backwardness,bad books,bigotry,cold sweat,creeping flesh,cursoriness,despitefulness,detestation,disagreement,disfavor,disgust,disinclination,dislike,disliking,disobedience,displeasure,disrelish,dissatisfaction,dissent,distaste,dread,enmity,execration,fear,foot-dragging,fractiousness,grudging consent,grudgingness,hate,hatred,horror,hostility,indisposedness,indisposition,indocility,intractableness,lack of enthusiasm,lack of zeal,loathing,malevolence,malice,malignity,misandry,misanthropy,misogyny,mortal horror,mutinousness,nausea,nolition,obstinacy,odium,opposition,peeve,perfunctoriness,pet peeve,phobia,race hatred,racism,recalcitrance,recalcitrancy,refractoriness,refusal,reluctance,renitence,renitency,repellency,repugnance,repulsion,resistance,revulsion,shuddering,slowness,spite,spitefulness,stubbornness,sulk,sulkiness,sulks,sullenness,unenthusiasm,unwillingness,vials of hate,vials of wrath,xenophobia 1577 - avert,about-face,anticipate,balk,bar,bear off,check,debar,deflect,deter,discourage,dishearten,divert,draw aside,ease off,edge off,estop,exclude,face about,fend,fend off,fly off,foil,forbid,foreclose,forestall,frustrate,gee,glance,glance off,go off,halt,haw,head off,help,jib,keep from,keep off,make way for,move aside,obviate,pivot,preclude,prevent,prohibit,remove,repel,right-about-face,rule out,save,sheer,sheer off,shove aside,shunt,shy,shy off,side,sidestep,sidetrack,sidle,stave off,stay,steer clear of,step aside,stop,switch,thwart,transfer,turn aside,turn away,turn back,veer,veer off,volte-face,ward,ward off,wheel,whip,whirl 1578 - avian,altricial,anserine,anserous,aquiline,avicular,birdlike,birdy,columbine,dovelike,goosy,hawklike,nesting,nidicolous,nidificant,oscine,passerine,psittacine,rasorial 1579 - avid,a hog for,acquisitive,agog,alacritous,all agog,all-devouring,animated,anxious,ardent,athirst,avaricious,bottomless,breathless,bursting to,coveting,covetous,craving,desirous,devouring,eager,esurient,forward,full of life,gluttonous,gobbling,grabby,grasping,greedy,hoggish,impatient,importunate,insatiable,insatiate,insistent,keen,limitless,lively,mercenary,miserly,money-hungry,money-mad,omnivorous,overgreedy,panting,piggish,pressing,prompt,quenchless,quick,rapacious,raring to,ravening,ravenous,ready,ready and willing,slakeless,sordid,spirited,swinish,thirsty,unappeasable,unappeased,unquenchable,unsated,unsatisfied,unslakeable,unslaked,urgent,venal,vital,vivacious,vivid,voracious,wanting,wishful,zestful 1580 - avidity,acquisitiveness,alacrity,animation,anxiety,anxiousness,appetite,avarice,avariciousness,avidness,breathless impatience,cheerful readiness,covetousness,cupidity,eagerness,elan,forwardness,frenzy of desire,fury of desire,gluttony,grasping,graspingness,greed,greediness,gust,gusto,hoggishness,impatience,incontinence,inordinate desire,insatiability,insatiable desire,intemperateness,itching palm,keen desire,keenness,life,liveliness,lust,overgreediness,piggishness,promptness,quickness,rapaciousness,rapacity,ravenousness,readiness,sordidness,spirit,swinishness,verve,vitality,vivacity,voraciousness,voracity,wolfishness,zest,zestfulness 1581 - avidly,animatedly,anxiously,avariciously,breathlessly,covetously,devouringly,eagerly,enthusiastically,graspingly,greedily,hoggishly,impatiently,keenly,piggishly,promptly,quickly,rapaciously,raveningly,ravenously,readily,swinishly,vivaciously,voraciously,with alacrity,with gusto,with open arms,with relish,with zest,wolfishly,zestfully 1582 - avoid,abstain,abstain from,avert,be stuck-up,bilk,blench,blink,circumvent,cringe,debar,deflect,divert,do without,dodge,double,draw back,duck,elude,escape,eschew,evade,exclude,fade,fall back,fight shy of,flinch,forbear,forbid,forgo,give place to,hang back,hold aloof,hold aloof from,hold back,jib,keep aloof,keep away from,keep clear of,keep from,keep hands off,keep off,keep remote from,leave alone,let alone,let go by,make way for,never touch,not meddle with,not touch,obviate,pass up,preclude,prevent,prohibit,pull back,quail,recoil,reel back,refrain,refrain from,retreat,sheer off,shrink,shrink back,shun,shy,sidestep,spare,stand aloof,stand aloof from,start aside,start back,stay detached from,steer clear of,swerve,turn aside,turn away from,ward off,weasel,weasel out,wince,withhold 1583 - avoidance,Encratism,Friday,Lenten fare,Pythagoreanism,Pythagorism,Rechabitism,Shakerism,Spartan fare,Stoicism,abstainment,abstemiousness,abstention,abstinence,asceticism,banyan day,celibacy,chastity,continence,cringe,dodge,duck,elusion,eschewal,evasion,fallback,fast,fish day,flinch,fruitarianism,gymnosophy,nephalism,plain living,pullback,pullout,recoil,refraining,refrainment,retreat,runaround,sexual abstinence,shunning,shy,sidestep,sidestepping,simple diet,spare diet,teetotalism,the pledge,total abstinence,vegetarianism,wince 1584 - avoirdupois,beef,beefiness,deadweight,fatness,gravity,gross weight,heaviness,heft,heftiness,liveweight,neat weight,net,net weight,overbalance,overweight,ponderability,ponderosity,ponderousness,poundage,tonnage,underweight,weight,weightiness 1585 - avouch,acknowledge,admit,affirm,allege,announce,annunciate,argue,assert,assever,asseverate,assure,attest,aver,avow,bear witness,certify,confess,confirm,contend,corroborate,countersign,declare,depone,depose,disclose,enunciate,express,express the belief,give evidence,guarantee,have,hold,insist,issue a manifesto,lay down,maintain,make a promise,manifesto,own,pledge,plight,predicate,proclaim,profess,promise,pronounce,protest,put,put it,say,set down,speak,speak out,speak up,stand for,stand on,state,submit,swear,testify,troth,underwrite,vouch,vow,warrant,witness 1586 - avow,accept,acknowledge,admit,admit everything,affirm,agree provisionally,allege,allow,announce,annunciate,argue,assent grudgingly,assert,assever,asseverate,attest,aver,avouch,bear witness,certify,claim,come clean,concede,confess,contend,cop a plea,declare,defend,depone,depose,disclose,enunciate,express,express general agreement,express the belief,give evidence,go along with,grant,have,hold,insist,issue a manifesto,lay down,let on,maintain,manifesto,not oppose,open up,out with it,own,own up,plead guilty,predicate,pretend,pretext,proclaim,profess,pronounce,protest,protest too much,purport,put,put it,recognize,say,set down,speak,speak out,speak up,spill,spill it,spit it out,stand for,stand on,state,submit,swear,tell all,tell the truth,testify,vindicate,vouch,vow,warrant,witness,yield 1587 - avowal,acceptance,acknowledgment,admission,affidavit,affirmance,affirmation,allegation,allowance,announcement,annunciation,appreciation,assertion,asseveration,attest,attestation,averment,avouchment,compurgation,concession,conclusion,confession,creed,declaration,deposition,dictum,disclosure,enunciation,instrument in proof,ipse dixit,legal evidence,manifesto,owning,owning up,position,position paper,positive declaration,predicate,predication,proclamation,profession,pronouncement,proposition,protest,protestation,recognition,rite of confession,say,say-so,saying,shrift,stance,stand,statement,sworn evidence,sworn statement,sworn testimony,testimonial,testimonium,testimony,unbosoming,utterance,vouch,witness,word 1588 - avowed,accepted,acknowledged,admitted,affirmed,alleged,allowed,announced,approved,asserted,asseverated,attested,authenticated,averred,avouched,certified,claimed,conceded,confessed,confirmed,countersigned,declared,deposed,endorsed,enunciated,granted,hypocritical,in name only,manifestoed,notarized,ostensible,pledged,predicated,pretended,pretexted,professed,pronounced,purported,ratified,received,recognized,sealed,signed,so-called,specious,stamped,stated,sworn,sworn and affirmed,sworn to,underwritten,validated,vouched,vouched for,vowed,warranted 1589 - await,abide,anticipate,approach,be destined,be fated,be imminent,be in store,be to be,be to come,bide,bide the issue,brew,come,come on,confront,count,dally,dawdle,delay,dillydally,draw near,draw nigh,draw on,expect,face,foresee,foretell,forthcome,gather,hang about,hang around,hang over,hold everything,hold on,hold your horses,hope,hover,impend,lie ahead,lie over,linger,loiter,look,look for,look forward to,loom,lower,mark time,menace,near,overhang,plan,plot,predict,project,prophesy,sit tight,sit up,sit up for,stay,stay up,stay up for,stick around,sweat,sweat it out,sweat out,take time,tarry,threaten,wait,wait a minute,wait and see,wait for,wait on,wait up for,watch,watch and wait 1590 - awake to,alive to,appreciative of,apprised of,aware of,behind the curtain,behind the scenes,cognizant of,conscious of,hep to,in the know,in the secret,informed of,let into,mindful of,no stranger to,on to,privy to,seized of,sensible of,sensible to,streetwise,undeceived,wise to 1591 - awake,activate,agile,alert,alive,animate,annoy,apprehensive,arouse,aroused,attentive,au courant,awake to,awaken,awaken to,be begotten,be born,be incarnated,blow the coals,blow up,bright,call forth,call up,clear-sighted,clear-witted,clearheaded,cognizant,come alive,come into being,come into existence,come to,come to life,conscious,conversant,enkindle,enrage,excite,excited,fan,fan the fire,fan the flame,feed the fire,fire,flame,foment,frenzy,get up,heat,heedful,ignite,impassion,incense,incite,inflame,infuriate,keen,key up,kindle,knock up,knowing,lather up,light the fuse,light up,live again,madden,move,nimble,on guard,on the,on the alert,on the ball,on the job,overexcite,prompt,qui vive,quick,quicken,ready,realize,reanimate,resurge,resuscitate,return to life,revive,rise again,rouse,roused,see the light,sensible,sentient,set astir,set fire to,set on fire,shake up,sharp,sleepless,smart,steam up,stimulate,stir,stir the blood,stir the embers,stir the feelings,stir up,stirred up,summon up,turn on,unblinking,understand,unnodding,unsleeping,unwinking,up,up and about,vigilant,wake,wake up,wakeful,waken,warm,warm the blood,watchful,whip up,wide awake,wide-awake,work into,work up 1592 - awaken,alert,annoy,arouse,awake,awaken to,be begotten,be born,be incarnated,become alive to,become aware of,become conscious of,bestir,blow the coals,blow up,break the spell,burst the bubble,call forth,call up,challenge,come alive,come into being,come into existence,come to,come to know,come to life,correct,debunk,disabuse,disappoint,disenchant,disillude,disillusion,disillusionize,enkindle,enlighten,enrage,excite,expose,fan,fan the fire,fan the flame,feed the fire,fire,flame,foment,frenzy,get hep to,get next to,get up,get wise to,have it reported,heat,impassion,incense,incite,inflame,infuriate,key up,kindle,knock up,lather up,learn,let down easy,let in on,light the fuse,light up,live again,madden,move,overexcite,pique,prick the bubble,put straight,quicken,raise,raise up,rally,reanimate,resurge,resuscitate,return to life,revive,rise again,rouse,see the light,set astir,set fire to,set on fire,set right,set straight,shake up,show up,steam up,stir,stir the blood,stir the embers,stir the feelings,stir up,summon up,tell the truth,turn on,unblindfold,uncharm,undeceive,unspell,wake,wake up,waken,warm,warm the blood,whet,whip up,work into,work up 1593 - award,Academy Award,Christmas present,Nobel Prize,Oscar,accolade,accommodation,accord,accordance,action,administer,afford,allocate,allot,allow,apportion,assign,awarding,badge,bays,bestow,bestow on,bestowal,bestowment,birthday present,booby prize,box,cadeau,communicate,communication,concede,concession,condemnation,confer,conferment,conferral,consideration,consolation prize,contribution,deal,deal out,decision,decoration,decree,deliverance,delivery,determination,diagnosis,dictum,dish out,dispense,distinction,dole,dole out,donate,donation,doom,dower,endow,endow with,endowment,endue,extend,fairing,finding,first prize,fork out,furnish,furnishment,gift,gift with,gifting,give,give freely,give out,giving,grant,granting,hand out,handsel,heap,help to,impart,impartation,impartment,investiture,issue,jackpot,kudos,laurels,lavish,let have,liberality,mete,mete out,oblation,offer,offering,order,peace offering,pour,precedent,present,presentation,presentment,prize,proffer,prognosis,pronouncement,provision,rain,render,resolution,reward,ruling,second prize,sentence,serve,shell out,shower,slip,snow,subscription,supplying,surrender,sweepstakes,tender,tribute,trophy,verdict,vouchsafe,vouchsafement,white elephant,yield 1594 - aware,acquainted,advertent,agog,alert,alive,alive to,all ears,all eyes,all-knowing,apperceptive,appercipient,appreciative of,apprehending,apprehensive,apprised,apprised of,assiduous,attentive,au courant,au fait,awake,awake to,aware of,awash,behind the curtain,behind the scenes,brimful,brimming,careful,chock-full,cognizant,cognizant of,comprehending,concentrated,conscious,conscious of,conversant,crammed,crowded,diligent,earnest,enlightened,finical,finicking,finicky,heedful,hep,hep to,hip,impressible,impressionable,impressive,in the know,in the secret,informed,informed of,insightful,intelligent,intense,intent,intentive,jammed,knowing,knowledgeable,let into,loaded,meticulous,mindful,mindful of,nice,niggling,no stranger to,observant,observing,omniscient,on the ball,on the job,on to,open-eared,open-eyed,openmouthed,packed,perceptive,percipient,perspicacious,posted,prehensile,privy to,receptive,regardful,sagacious,seized of,sensible,sensible of,sensible to,sensile,sensitive,sensitive to,sentient,shrewd,streetwise,stuffed,susceptible,susceptive,undeceived,understanding,ware,watchful,wise,wise to,witting 1595 - awareness,advertence,advertency,alertness,apperception,appreciation,appreciativeness,assiduity,assiduousness,attention,attention span,attentiveness,care,cognition,cognizance,concentration,consciousness,consideration,diligence,ear,earnestness,experience,feeling,heed,heedfulness,insight,intentiveness,intentness,mindfulness,noesis,note,notice,observance,observation,percept,perception,realization,recognition,regard,regardfulness,remark,respect,response,response to stimuli,sensation,sense,sense impression,sense perception,sensibility,sensory experience,thought 1596 - awash,afloat,at flood,bathed,deluged,dipped,drenched,dribbling,dripping,dripping wet,drowned,engulfed,floating,flooded,immersed,in spate,inflood,inundated,macerated,oozing,overflowed,overwhelmed,permeated,saturated,seeping,soaked,soaking,soaking wet,soaky,sodden,soggy,sopping,sopping wet,soppy,soused,steeped,submerged,submersed,swamped,swept,washed,water-borne,water-washed,waterlogged,watersoaked,weeping,weltering,whelmed,wringing wet 1597 - away,a rebours,a reculons,absconded,absent,afar,against the grain,aloof,anticlockwise,apart,arear,aside,ass-backwards,astern,asunder,at a distance,at once,back,backward,backwards,counterclockwise,deleted,departed,directly,disappeared,distal,distant,distantly,elsewhere,elsewhither,exotic,expeditiously,extinct,far,far off,faraway,forth,forthwith,fro,gone,gone away,hence,hindward,hindwards,immediately,in juxtaposition,in reverse,instanter,instantly,lacking,long-distance,long-range,lost,lost to sight,lost to view,missing,momentarily,nearby,no longer present,no more,nonattendant,nonexistent,not found,not here,not present,now,off,omitted,on one side,on the side,out,out of sight,over,past and gone,promptly,pronto,punctually,quickly,rearward,rearwards,remote,remotely,removed,retrad,right,right away,right off,separated,sidelong,somewhere else,speedily,straight,straightway,subtracted,swiftly,taken away,thence,therefrom,thereof,to one side,to the side,vanished,wanting,whence,widdershins,wide apart,wide away 1598 - awe inspiring,Babylonian,Corinthian,appalling,astounding,august,awesome,awful,awing,barbaric,bizarre,deluxe,dire,direful,dread,dreaded,dreadful,earnest,eerie,elaborate,elegant,estimable,extravagant,fancy,fatal,fateful,fell,fine,formidable,ghastly,ghoulish,glorious,grand,grandiose,grave,grim,grisly,gruesome,heavy,hideous,honorable,horrendous,horrible,horrid,horrific,horrifying,imposing,impressive,luxurious,macabre,magnificent,majestic,morbid,mysterious,noble,numinous,palatial,plush,portentous,posh,princely,proud,redoubtable,reverend,ritzy,schrecklich,serious,shocking,sober,solemn,splendacious,splendid,splendiferous,stately,sumptuous,superb,superfancy,superfine,swank,swanky,swell,terrible,terrific,time-honored,tremendous,uncanny,venerable,weighty,weird,worshipful 1599 - awe,abject fear,admiration,adoration,affright,alarm,amaze,amazement,apotheosis,appall,appreciation,approbation,approval,astonish,astonishment,astound,astoundment,awestrike,be widely reputed,bedaze,bedazzle,beguilement,bewilder,bewilderment,blue funk,boggle,bowl down,bowl over,breathless adoration,breathless wonder,command respect,confound,consideration,consternation,courtesy,cowardice,daunt,daze,dazzle,deference,deification,deter,discourage,dishearten,dismay,dread,dumbfound,dumbfounder,dumbfoundment,duty,esteem,estimation,exaggerated respect,fascination,favor,faze,fear,flabbergast,freeze,fright,funk,great respect,have prestige,hero worship,high regard,homage,honor,horrification,horrify,horror,idolatry,idolization,inspire respect,marvel,marveling,overawe,overwhelm,panic,panic fear,paralyze,perplex,petrify,phobia,prestige,puzzlement,rank high,regard,respect,reverence,reverential regard,scare,scare stiff,scare to death,sense of mystery,sense of wonder,shake,shock,spook,stagger,stampede,stand high,startle,stop,strike dead,strike dumb,strike terror into,strike with wonder,stun,stupefaction,stupefy,surprise,terrify,terror,terrorize,unholy dread,veneration,wonder,wonderment,worship 1600 - awesome,Gargantuan,affecting,aggrandized,alarming,amazing,amplitudinous,apotheosized,appalling,astonishing,astounding,astronomical,august,awe-inspiring,awful,awing,beatified,big,bizarre,boundless,breathtaking,bulky,canonized,colossal,cosmic,daunting,deified,dire,direful,divine,dread,dreaded,dreadful,eerie,elevated,eminent,ennobled,enormous,enshrined,enthroned,estimable,exalted,excellent,extensive,fearful,fearsome,fell,formidable,frightening,galactic,ghastly,ghoulish,gigantic,glorified,grand,great,grim,grisly,gruesome,heavenly,held in awe,hideous,high,high and mighty,holy,honorable,horrendous,horrible,horrid,horrific,horrifying,huge,immeasurable,immense,immortal,immortalized,imposing,incredible,ineffable,inenarrable,inexpressible,infinite,inviolable,inviolate,king-size,large,lofty,macabre,magnified,mammoth,massive,massy,mighty,monster,monstrous,monumental,morbid,mountainous,moving,mysterious,numinous,outsize,overgrown,overwhelming,prodigious,redoubtable,religious,reverend,sacred,sacrosanct,sainted,sanctified,schrecklich,shocking,shrined,sizable,spacious,spiritual,stirring,stunning,stupefying,stupendous,sublime,supereminent,terrible,terrific,terrifying,throned,time-honored,titanic,tremendous,unbelievable,uncanny,unspeakable,untouchable,unutterable,vast,venerable,voluminous,weighty,weird,wonderful,wondrous,worshipful 1601 - awestruck,admiring,adoring,agape,aghast,agog,all agog,amazed,apotheosizing,appalled,ashen,astonished,astounded,at gaze,awed,awestricken,beguiled,bewildered,bewitched,blanched,breathless,captivated,confounded,cowed,deadly pale,deifying,dumbfounded,dumbstruck,enchanted,enraptured,enravished,enthralled,entranced,fascinated,flabbergasted,frozen,gaping,gauping,gazing,gray with fear,hero-worshiping,horrified,horror-struck,hypnotized,idolatrous,idolizing,in awe,in awe of,intimidated,lost in wonder,marveling,mesmerized,open-eyed,openmouthed,overwhelmed,pale as death,pallid,paralyzed,petrified,popeyed,puzzled,rapt in wonder,reverent,reverential,scared stiff,scared to death,solemn,spellbound,staggered,staring,stunned,stupefied,surprised,terrified,terror-crazed,terror-haunted,terror-ridden,terror-riven,terror-shaken,terror-smitten,terror-struck,terror-troubled,thunderstruck,under a charm,undone,unmanned,unnerved,unstrung,venerational,venerative,wide-eyed,wonder-struck,wondering,worshipful,worshiping 1602 - awful,Babylonian,Corinthian,abominable,appalling,arrant,astounding,atrocious,august,awe-inspiring,awesome,awfully,awing,bad,baneful,barbaric,base,beastly,beneath contempt,big,bizarre,blameworthy,brutal,contemptible,crazy,damned,deadly,deluxe,deplorable,despicable,detestable,dire,direful,disgusting,divine,dread,dreaded,dreadful,eerie,egregious,elaborate,elegant,enormous,estimable,execrable,extravagant,extremely,fancy,fearful,fell,fetid,filthy,fine,flagrant,forbidding,formidable,foul,frightful,fulsome,ghastly,ghoulish,glorious,grand,grandiose,grave,greatly,grievous,grim,grisly,gross,grotesque,gruesome,hateful,heavenly,heinous,hideous,holy,honorable,horrendous,horrible,horrid,horrific,horrifying,howling,hugely,imposing,impressive,ineffable,inenarrable,inexpressible,infamous,inferior,inviolable,inviolate,lamentable,loathsome,lousy,luxurious,macabre,magnificent,majestic,monstrous,morbid,mortally,moving,much,mysterious,nasty,nefarious,noble,noisome,notorious,numinous,obnoxious,odious,offensive,ominous,outrageous,palatial,pitiable,pitiful,plush,portentous,posh,princely,proud,rank,redoubtable,regrettable,religious,repelling,reprehensible,repugnant,repulsive,reverend,revolting,ritzy,rotten,rousing,sacred,sacrosanct,sad,scandalous,schlock,schrecklich,scurvy,serious,shabby,shameful,shocking,shoddy,solemn,sordid,spiritual,splendacious,splendid,splendiferous,squalid,stately,sumptuous,superb,superfancy,superfine,swank,swanky,swell,tasteless,terrible,terribly,terrific,thumping,time-honored,too bad,tragic,tremendous,ugly,uncanny,unclean,unpleasant,unsightly,unspeakable,untouchable,unutterable,venerable,vile,villainous,weird,whacking,whopping,woeful,worshipful,worst,worthless,wretched 1603 - awfully,abominably,agonizingly,alarmingly,almighty,appallingly,astoundingly,atrociously,awe-inspiringly,awesomely,awful,awingly,badly,baldly,balefully,basely,bestially,big,bitterly,bizarrely,blatantly,brashly,brutally,confoundedly,contemptibly,cruelly,damnably,damned,deadly,deathly,despicably,detestably,deucedly,disconcertingly,disgustingly,dismayingly,distressingly,dolorously,dreadful,dreadfully,eerily,egregiously,exceedingly,excessively,excruciatingly,exorbitantly,extraordinarily,extravagantly,extremely,fearfully,flagrantly,forbiddingly,foully,frightfully,fulsomely,ghastly,greatly,grievously,grossly,gruesomely,hellishly,hideously,horrendously,horribly,horridly,horrifically,horrifyingly,hugely,improperly,incomparably,inexcusably,infamously,infernally,inordinately,intolerably,just,lamentably,loathsomely,mightily,mighty,miserably,much,mysteriously,nakedly,nastily,nauseatingly,notoriously,numinously,obnoxiously,odiously,offensively,only too,openly,outrageously,painfully,piteously,powerful,powerfully,pretty,quite,real,really,remarkably,repugnantly,repulsively,revoltingly,right,sadly,savagely,scandalously,shabbily,shamefully,shatteringly,shockingly,so,something awful,something fierce,sordidly,sorely,staggeringly,startlingly,terribly,terrifically,torturously,tremendously,unashamedly,unbearably,uncannily,unconscionably,unduly,unpardonably,very,very much,viciously,vilely,weirdly,whacking,whopping,woefully,wretchedly 1604 - awkward,Latinate,all thumbs,blankminded,blunderheaded,blundering,bombastic,boorish,bulky,bumbling,bungling,butterfingered,callow,careless,clownish,clumsy,clumsy-fisted,confused,contrary,cramped,crosswise,crushing,cumbersome,cumbrous,dangerous,delicate,difficult,discomfited,discommodious,disconcerted,disconcerting,disturbing,dumb,elephantine,embarrassed,embarrassing,empty,empty-headed,fingers all thumbs,forced,formal,fumbling,gauche,gawkish,gawky,graceless,green,groping,guinde,halting,ham-fisted,ham-handed,hazardous,heavy,heavy-handed,hulking,hulky,humiliating,ignorant,ill at ease,ill-chosen,impractical,inane,incommodious,inconvenient,inefficient,inelegant,inept,inexperienced,inexpert,inkhorn,innocent,know-nothing,labored,leaden,left-hand,left-handed,loutish,lubberly,lumbering,lumpish,lumpy,maladroit,massive,massy,mortifying,naive,nescient,oafish,out of place,perilous,perverse,pompous,ponderous,precarious,raw,rigid,risky,sensitive,sesquipedalian,shamefaced,simple,sloppy,splay,sticky,stiff,stilted,strange to,tentative,ticklish,touchy,tricky,troublesome,trying,turgid,unacquainted,unapprized,uncomfortable,uncomprehending,unconversant,uncouth,undexterous,uneasy,unenlightened,unfamiliar,unfortunate,ungainly,ungraceful,unhandy,unhappy,unilluminated,uninformed,uninitiated,unintelligent,unknowing,unmanageable,unpleasant,unposted,unripe,unskilled,unskillful,unsure,unversed,unwieldy,vacuous,wooden 1605 - AWOL,French leave,abscondence,absence,absence without leave,absent without leave,absentation,absenteeism,absenting,absquatulation,bolt,cut,day off,decampment,default,departure,desertion,disappearance,disappearing act,elopement,escape,excused absence,exit,fleeing,flight,fugitation,furlough,hasty retreat,hegira,holiday,hooky,leave,leave of absence,leaving,nonappearance,nonattendance,quick exit,running away,sabbatical leave,scramming,sick leave,skedaddle,skedaddling,truancy,truant,truantism,unexcused absence,vacation 1606 - awry,aberrant,abroad,adrift,afield,agee,agee-jawed,all abroad,all off,all wrong,amiss,aside,askance,askant,askew,askewgee,aslant,asquint,astray,at fault,badly,beside the mark,cam,catawampous,catawamptious,cock-a-hoop,cockeyed,convulsed,corrupt,crooked,crookedly,deceptive,defective,delusive,deranged,deviant,deviational,deviative,disarranged,discomfited,discomposed,disconcerted,dislocated,disordered,disorderly,disorganized,distorted,disturbed,errant,erring,erroneous,erroneously,fallacious,false,faultful,faultily,faulty,flawed,haywire,heretical,heterodox,illogical,illusory,in disorder,misplaced,not right,not true,obliquely,off,off the track,on the fritz,out,out of gear,out of joint,out of kelter,out of kilter,out of order,out of place,out of tune,out of whack,peccant,perturbed,perverse,perverted,roily,self-contradictory,shuffled,skew,skew-jawed,skewed,slantways,slaunchways,squinting,straying,turbid,turbulent,unfactual,unfavorably,unorthodox,unproved,unsettled,untrue,untruly,upset,wamper-jawed,wide,wrong,wry,yaw-ways 1607 - ax,amputate,battle-ax,beheading,bisect,blade,block,boot out,bounce,burning,butcher,can,capital punishment,carve,cashier,cashiering,chop,cleave,cold steel,conge,cross,crucifixion,cut,cut away,cut in two,cut off,cutlery,cutter,dagger,death chair,death chamber,decapitation,decollation,defenestration,deposal,dichotomize,discharge,disemployment,dismissal,displacing,dissever,drop,drumming out,edge tools,electric chair,electrocution,excise,execution,fire,firing,fissure,forced separation,furloughing,fusillade,gallows,gallows-tree,garrote,gas chamber,gash,gassing,gibbet,guillotine,hack,halberd,halter,halve,hanging,hatchet,hemlock,hemp,hempen collar,hew,hot seat,incise,jigsaw,judicial murder,kick out,knife,lance,lapidation,layoff,lethal chamber,maiden,naked steel,necktie party,noose,pare,pigsticker,pink slip,point,poisoning,poleax,prune,puncturer,removal,rend,retirement,rive,rope,sack,saw,scaffold,scissor,sever,sharpener,shooting,slash,slice,slit,snip,split,stake,steel,stoning,strangling,strangulation,sunder,surplusing,suspension,sword,tear,terminate,the ax,the block,the boot,the bounce,the chair,the gallows,the gas chamber,the gate,the guillotine,the hot seat,the rope,the sack,ticket,toad sticker,tomahawk,tree,walking papers,whittle 1608 - axial,ascending,back,back-flowing,backward,centermost,central,centralized,centric,centroidal,centrosymmetric,concentrated,descending,down-trending,downward,drifting,flowing,fluent,flying,geocentric,going,gyrational,gyratory,key,middle,middlemost,midmost,mounting,omphalic,passing,pivotal,plunging,progressive,reflowing,refluent,regressive,retrogressive,rising,rotary,rotational,rotatory,running,rushing,sideward,sinking,soaring,streaming,umbilical,up-trending,upward 1609 - axiom,a belief,a priori principle,a priori truth,absolute fact,accepted fact,actual fact,adage,admitted fact,affirmation,ana,analects,aphorism,apothegm,apriorism,article of faith,assertion,assumed position,assumption,bald fact,bare fact,basis,brocard,brutal fact,byword,canon,catchword,categorical proposition,center,circumstance,cold fact,collected sayings,conceded fact,conjecture,core,current saying,data,datum,demonstrable fact,dictate,dictum,distich,doctrine,dogma,elixir,empirical fact,epigram,essence,essential,established fact,expression,fact,fact of experience,first principles,flower,focus,formula,foundation,fundamental,gist,given fact,gnome,golden rule,golden saying,gravamen,ground,guesswork,hard fact,heart,hypostasis,hypothesis,hypothesis ad hoc,indisputable fact,inescapable fact,inference,inner essence,kernel,law,lemma,major premise,marrow,matter of fact,maxim,meat,minor premise,moral,mot,motto,naked fact,not guesswork,not opinion,nub,nucleus,nuts and bolts,oracle,philosopheme,philosophical proposition,phrase,pith,pithy saying,plain,position,positive fact,postulate,postulation,postulatum,precept,premise,prescript,presumption,presupposal,presupposition,principium,principle,proposition,propositional function,provable fact,proverb,proverbial saying,proverbs,quid,quiddity,quintessence,rule,salient fact,sap,saw,saying,self-evident fact,self-evident truth,sentence,sententious expression,set of postulates,settled principle,significant fact,simple fact,sloka,sober fact,soul,spirit,statement,stock saying,stubborn fact,stuff,substance,sumption,supposal,supposing,supposition,surmise,sutra,teaching,tenet,text,the case,the nitty-gritty,theorem,thesis,truism,truth,truth table,truth-function,truth-value,undeniable fact,universal truth,verse,well-known fact,wisdom,wisdom literature,wise saying,witticism,word,words of wisdom,working hypothesis 1610 - axiomatic,absolute,actual,admitting no question,aphoristic,apparent,clear,clear as crystal,confirmable,crisp,crystal-clear,demonstrable,demonstratable,discernible,distinct,epigrammatic,evident,explicit,express,factual,formulaic,formulistic,gnomic,historical,inappealable,incontestable,incontrovertible,indisputable,indubitable,irrefragable,irrefutable,manifest,noticeable,observable,obvious,open-and-shut,palpable,patent,perceivable,perceptible,perspicuous,pithy,plain,plain as day,platitudinous,pointed,provable,proverbial,pungent,real,seeable,self-evident,self-explaining,self-explanatory,sententious,succinct,tangible,terse,testable,to be seen,unanswerable,unconfutable,undeniable,unimpeachable,unmistakable,unquestionable,unrefutable,verifiable,visible 1611 - axis,Bund,Rochdale cooperative,air line,alliance,anthrophore,arbor,assemblage,association,axle,axle bar,axle shaft,axle spindle,axle-tree,band,bearing,beeline,bloc,body,bole,cane,carpophore,caudex,caulicle,caulis,center,center of action,center of gravity,centroid,centrum,chord,coalition,college,combination,combine,common market,confederacy,confederation,consumer cooperative,cooperative,cooperative society,core,corps,council,credit union,culm,customs union,dead center,diagonal,diameter,direct line,directrix,distaff,economic community,edge,epicenter,federation,footstalk,free trade area,fulcrum,funicule,funiculus,gang,gimbal,great-circle course,group,grouping,gudgeon,haulm,heart,hinge,hingle,horizontal axis,hub,kernel,leafstalk,league,machine,mandrel,marrow,medulla,metacenter,middle,mob,nave,navel,normal,nub,nucleus,oarlock,omphalos,partnership,pedicel,peduncle,perpendicular,petiole,petiolule,petiolus,pin,pintle,pith,pivot,pole,political machine,radiant,radius,radius vector,reed,rest,resting point,right line,ring,rowlock,secant,seedstalk,segment,shortcut,side,society,spear,spindle,spire,stalk,stem,stipe,stock,storm center,straight,straight course,straight line,straight stretch,straightaway,straw,streamline,swivel,tangent,thole,tholepin,tigella,transversal,trunk,trunnion,umbilicus,union,vector,yaw 1612 - aye,Australian ballot,Hare system,OK,acceptance,accord,acquiescence,affirmation,affirmative,affirmative attitude,affirmative voice,affirmativeness,agreed,agreement,amen,approbation,approval,assent,ballot,blessing,canvass,canvassing,casting vote,compliance,con,connivance,consent,counting heads,cumulative voting,deciding vote,division,eagerness,endorsement,enfranchisement,fagot vote,franchise,graveyard vote,hand vote,interest,list system,nay,no,nod,nod of assent,nontransferable vote,okay,permission,plebiscite,plebiscitum,plumper,plural vote,poll,polling,preferential voting,pro,promptitude,promptness,proportional representation,proxy,ratification,readiness,record vote,referendum,representation,right to vote,rising vote,sanction,say,secret ballot,show of hands,side,single vote,snap vote,straw vote,submission,suffrage,the affirmative,the negative,thumbs-up,transferable vote,ungrudgingness,unloathness,unreluctance,viva voce,voice,voice vote,vote,voting,voting right,willingness,write-in,write-in vote,yea,yea-saying,yeas and nays,yep,yes 1613 - azimuth,Cartesian coordinates,abscissa,aim,altitude,aspect,attitude,bearing,bearings,bent,celestial navigation,compass bearing,compass direction,coordinates,course,current,cylindrical coordinates,dead reckoning,declination,direction,direction line,drift,equator coordinates,exposure,false horizon,fix,frontage,heading,helmsmanship,horizon,inclination,latitude,lay,lee side,lie,line,line of direction,line of march,line of position,longitude,magnetic bearing,navigation,ordinate,orientation,pilotage,piloting,point,polar coordinates,position,position line,quarter,radio bearing,range,relative bearing,right ascension,run,sea line,sensible horizon,set,skyline,steerage,steering,tack,tendency,tenor,track,trend,true bearing,vector,visible horizon,way,weather side 1614 - azure,Caelus,achievement,air,alerion,animal charge,annulet,argent,armorial bearings,armory,arms,azure-blue,azure-colored,azurean,azured,azureness,azureous,bandeau,bar,bar sinister,baton,bearings,bend,bend sinister,beryl-blue,berylline,billet,blazon,blazonry,blue,blue sky,blueness,bluish,bluishness,bordure,broad arrow,cadency mark,caelum,canopy,canopy of heaven,canton,cerulean,ceruleous,cerulescent,chaplet,charge,chevron,chief,coat of arms,cockatrice,cope,coronet,crescent,crest,cross,cross moline,crown,cyanean,cyanosis,dark-blue,deep-blue,device,difference,differencing,eagle,empyrean,ermine,ermines,erminites,erminois,escutcheon,ether,falcon,fess,fess point,field,file,firmament,flanch,fleur-de-lis,fret,fur,fusil,garland,griffin,gules,gyron,hatchment,heaven,heavens,helmet,heraldic device,honor point,hyaline,impalement,impaling,inescutcheon,label,lift,lifts,light-blue,lightish-blue,lion,livid,lividity,lividness,lozenge,mantling,marshaling,martlet,mascle,metal,motto,mullet,nombril point,octofoil,or,ordinary,orle,pale,paly,pavonian,pavonine,peacock-blue,pean,pheon,purpure,quarter,quartering,rose,sable,saltire,sapphire,sapphirine,scutcheon,shield,sky,sky-blue,sky-colored,sky-dyed,spread eagle,starry heaven,subordinary,tenne,the blue,the blue serene,tincture,torse,tressure,turquoise,unicorn,vair,vault,vault of heaven,vert,welkin,wreath,yale 1615 - Baal,Adad,Adapa,Anu,Anunaki,Ashtoreth,Ashur,Astarte,Beltu,Ceres,Dagon,Damkina,Demeter,Dionysus,Dumuzi,Ea,Enlil,Ereshkigal,Frey,Gibil,Girru,Gish Bar,Gishzida,Gula,Igigi,Inanna,Isimud,Isis,Juggernaut,Ki,Lahmu,Mama,Marduk,Merodach,Moloch,Nabu,Nammu,Namtar,Nanna,Nebo,Nergal,Neti,Nina,Ningal,Ningirsu,Ninhursag,Ninlil,Ninmah,Ninsar,Nintoo,Nusku,Pan,Papsukai,Priapus,Ramman,Shala,Shamash,Sin,Utnapishtim,Uttu,Utu,Zarpanit,Zubird,devil-god,fetish,golden calf,graven image,idol,joss 1616 - Babbitt,Middle American,Philistine,anal character,arriviste,boeotian,boob,boor,bounder,bourgeois,burgher,cad,churl,clown,compulsive character,conformer,conformist,conventionalist,epicier,formalist,groundling,guttersnipe,hooligan,ill-bred fellow,looby,lout,low fellow,methodologist,middle-class type,middlebrow,model child,mucker,nouveau riche,organization man,parrot,parvenu,peasant,pedant,perfectionist,plastic person,precisian,precisianist,ribald,rough,roughneck,rowdy,ruffian,sheep,square,teenybopper,trimmer,upstart,vulgarian,vulgarist,yes-man,yokel 1617 - babble,Aesopian language,Babel,Greek,absurdity,amphigory,argot,babblement,baffle,balderdash,bavardage,be Greek to,be beyond one,be indiscreet,be insane,be too deep,be unguarded,beat one,betray,betray a confidence,bibble-babble,blab,blabber,blah-blah,blather,blether,blethers,blurt,blurt out,bombast,bubble,bull,bullshit,burble,cackle,cant,caquet,caqueterie,chat,chatter,chattering,chitchat,chitter-chatter,cipher,clack,claptrap,clatter,code,cryptogram,disclose,dither,divulge,dote,double Dutch,double-talk,drivel,drool,escape one,fiddle-faddle,fiddledeedee,flummery,folderol,fudge,fustian,gab,gabble,galimatias,gammon,garble,gas,gibber,gibberish,gibble-gabble,gift of tongues,give away,glossolalia,go on,gobbledygook,gossip,guff,guggle,gurgle,gush,have a demon,haver,hocus-pocus,hot air,hubbub,humbug,idle talk,inform,inform on,jabber,jabberwocky,jargon,jaw,jumble,lap,leak,let drop,let fall,let slip,lose one,mere talk,mumbo jumbo,murmur,narrishkeit,natter,need explanation,niaiserie,noise,nonsense,nonsense talk,not make sense,not penetrate,pack of nonsense,palaver,pass comprehension,patter,peach,perplex,piffle,plash,pour forth,prate,prating,prattle,prittle-prattle,purl,rabbit,rage,ramble,ramble on,rant,rat,rattle,rattle on,rave,reel off,repeat,reveal,reveal a secret,riddle,rigamarole,rigmarole,ripple,rodomontade,rubbish,run amok,run mad,run on,scramble,secret language,sing,skimble-skamble,slang,slaver,slobber,slosh,speak in tongues,spill,spill the beans,splash,spout,spout off,squeal,stool,stuff and nonsense,stultiloquence,swash,swish,talk,talk away,talk double Dutch,talk nonsense,talk on,talkee-talkee,tattle,tattle on,tell,tell on,tell secrets,tell tales,tittle-tattle,trash,trill,trumpery,twaddle,twattle,twiddle-twaddle,vapor,vaporing,waffle,waffling,wander,wash,yak,yakkety-yak,yammer,yap 1618 - babbling,arrested,backward,blithering,bubbling,burbling,crackbrained,cracked,crazy,cretinistic,cretinous,delirious,dithering,dizzy,driveling,drooling,giddy,guggling,gurgling,half-baked,half-witted,idiotic,imbecile,imbecilic,incoherent,lapping,lightheaded,maundering,mentally defective,mentally deficient,mentally handicapped,mentally retarded,mongoloid,moronic,not all there,off,plashing,rambling,ranting,raving,retarded,rippling,simple,simpleminded,simpletonian,slobbering,sloshing,splashing,subnormal,swishing,trilling,wandering 1619 - babe,angel,baby,baby bunting,baby-doll,bambino,bantling,broad,buttercup,cherub,chick,chickabiddy,child,child of nature,colleen,cutie,dame,damoiselle,damsel,darling,dear,deary,demoiselle,doll,dove,duck,duckling,dupe,filly,frail,gal,girl,girlie,heifer,hick,hon,honey,honey bunch,honey child,hoyden,incubator baby,infant,ingenue,innocent,jeune fille,jill,junior miss,lamb,lambkin,lass,lassie,little angel,little darling,little missy,lout,love,lover,mademoiselle,maid,maiden,mere child,mewling infant,miss,missy,neonate,newborn,newborn babe,noble savage,nursling,nymphet,oaf,papoose,pet,petkins,piece,precious,precious heart,preemie,premature baby,preschooler,puling infant,romp,rube,schoolgirl,schoolmaid,schoolmiss,simple soul,skirt,slip,snookums,subdeb,subdebutante,subteen,subteener,suckling,sugar,sweet,sweetheart,sweetie,sweetkins,sweets,teenybopper,toddler,tomato,tomboy,unsophisticate,virgin,weanling,wench,yearling,yokel,young creature,young thing 1620 - Babel,Aesopian language,Greek,argot,babble,bedlam,cacophony,cant,cipher,clamor,clash,code,confusion of tongues,cryptogram,double Dutch,garble,gibberish,gift of tongues,glossolalia,gobbledygook,harshness,hell,jangle,jar,jargon,jumble,mere noise,noise,pandemonium,racket,scramble,secret language,slang,static 1621 - baby grand,Klavier,Steinway,cembalo,clarichord,clavicembalo,clavichord,clavicittern,clavicymbal,clavicytherium,clavier,concert grand,cottage piano,couched harp,dulcimer harpsichord,grand,grand piano,hammer dulcimer,harmonichord,harpsichord,manichord,manichordon,melodion,melopiano,monochord,pair of virginals,parlor grand,pianette,pianino,piano,piano-violin,pianoforte,sostinente pianoforte,spinet,square piano,upright,upright piano,violin piano,virginal 1622 - baby sit,attend to,care for,chaperon,cherish,conserve,foster,keep watch over,look after,look out for,look to,matronize,mind,minister to,mother,nurse,nurture,preserve,protege,provide for,ride herd on,see after,see to,shepherd,support,take care of,take charge of,tend,watch,watch out for,watch over 1623 - baby,Elzevir,Milquetoast,adolescent,angel,apprentice,babe,babish,baby bunting,baby-doll,baby-sized,babyish,bambino,bantam,bantling,banty,beginner,big baby,broad,buttercup,catechumen,cater to,cherub,chick,chickabiddy,chicken,chicken liver,child,cocker,coddle,colleen,compact,cosset,cotton,coward,crybaby,cutie,dame,damoiselle,damsel,darling,dear,deary,deb,debutant,demoiselle,diminutive,doll,doll-like,dollish,doormat,dote,dry-nurse,duck,duckling,dull tool,duodecimo,entrant,favor,filly,flame,fledgling,fraid-cat,fraidy-cat,frail,freshman,funk,funker,gal,girl,girlie,gratify,greenhorn,greeny,gutless wonder,handy,heifer,hon,honey,honey bunch,honey child,hopeful,hoyden,humor,in arms,in diapers,in nappies,in swaddling clothes,in the cradle,inamorata,incubator baby,indulge,infant,infantile,infantine,invertebrate,jellyfish,jeune fille,jill,junior,junior miss,juvenal,juvenile,kittenish,ladylove,lamb,lambkin,lass,lassie,learner,lightweight,lily liver,little angel,little darling,little missy,little one,love,lover,mademoiselle,maid,maiden,meek soul,mewling infant,microcosm,milksop,mini,miniature,miniaturized,minikin,minimal,minny,minor,minuscule,miss,missy,mollycoddle,mouse,namby-pamby,nebbish,neonatal,neonate,neophyte,nestling,newborn,newcomer,nonentity,novice,novitiate,nursling,nymphet,pamper,pansy,pantywaist,papoose,pet,petkins,piece,please,pocket,pocket-sized,pony,precious,precious heart,preemie,premature baby,preschooler,probationer,pubescent,puling infant,puppet,pushover,raw recruit,recruit,romp,rookie,sad sack,sapling,satisfy,scaredy-cat,schoolgirl,schoolmaid,schoolmiss,sissy,skirt,slip,small-scale,snookums,softling,softy,sop,spoil,sprig,steady,stripling,subdeb,subdebutante,subminiature,subteen,subteener,suckling,sugar,sweet,sweetheart,sweetie,sweetkins,sweets,teenager,teener,teenybopper,tenderfoot,toddler,tomato,tomboy,tot,toy,trainee,truelove,twelvemo,tyro,vest-pocket,virgin,weak sister,weakling,weanling,wench,wet-nurse,white feather,white liver,yearling,young creature,young hopeful,young person,young thing,younger,youngest,youngling,youngster,youth 1624 - babyish,babish,baby,childish,childlike,doll-like,dollish,immature,in arms,in diapers,in nappies,in swaddling clothes,in the cradle,infant,infantile,infantine,kittenish,neonatal,newborn,puerile 1625 - Babylonian,Corinthian,awe-inspiring,awful,barbaric,deluxe,elaborate,elegant,extravagant,fancy,fine,glorious,grand,grandiose,imposing,impressive,luxurious,magnificent,majestic,noble,palatial,plush,posh,princely,proud,ritzy,splendacious,splendid,splendiferous,stately,sumptuous,superb,superfancy,superfine,swank,swanky,swell 1626 - bacchanal,alcoholic,alcoholic addict,bacchanalia,bacchanalian,bat,bender,bibber,big drunk,binge,boozer,bout,bust,carousal,carouse,carouser,celebration,chronic alcoholic,chronic drunk,compotation,debauch,devotee of Bacchus,dipsomaniac,drinker,drinking bout,drunk,drunkard,drunken carousal,guzzle,guzzler,hard drinker,heavy drinker,imbiber,inebriate,jag,lovepot,oenophilist,orgy,party,pathological drinker,pot companion,potation,problem drinker,pub-crawl,reveler,saturnalia,serious drinker,shikker,soaker,social drinker,sot,spree,swigger,swiller,symposium,tear,thirsty soul,tippler,toot,toper,tosspot,wassail,wassailer,winebibber 1627 - bacchic,Dionysiac,amok,berserk,corybantic,desperate,frantic,frenetic,frenzied,furious,like one possessed,mad,madding,maenadic,maniac,maniacal,rabid,raging,ranting,raving,raving mad,running wild,stark-raving mad,uncontrollable,violent,wild 1628 - Bacchus,Agdistis,Amor,Aphrodite,Apollo,Apollon,Ares,Artemis,Ate,Athena,Ceres,Cora,Cronus,Cupid,Cybele,Demeter,Despoina,Diana,Dionysus,Dis,Eros,Gaea,Gaia,Ge,Great Mother,Hades,Helios,Hephaestus,Hera,Here,Hermes,Hestia,Hymen,Hyperion,Jove,Juno,Jupiter,Jupiter Fidius,Jupiter Fulgur,Jupiter Optimus Maximus,Jupiter Pluvius,Jupiter Tonans,Kore,Kronos,Magna Mater,Mars,Mercury,Minerva,Mithras,Momus,Neptune,Nike,Olympians,Olympic gods,Ops,Orcus,Persephassa,Persephone,Phoebus,Phoebus Apollo,Pluto,Poseidon,Proserpina,Proserpine,Rhea,Saturn,Tellus,Venus,Vesta,Vulcan,Zeus,bacchanalianism,bibaciousness,bibacity,bibulosity,bibulousness,crapulence,crapulousness,intemperance,serious drinking,sottishness 1629 - bachelor,Bayard,Don Quixote,Gawain,Lancelot,Ritter,Sidney,Sir Galahad,baccalaureate,baccalaureus,bach,banneret,baronet,caballero,cavalier,chevalier,companion,confirmed bachelor,degree,doctor,doctorate,knight,knight bachelor,knight banneret,knight baronet,knight-errant,master,old bach,single man 1630 - bachelorhood,bachelordom,bachelorism,bachelorship,celibacy,continence,maidenhead,maidenhood,misogamy,misogyny,monachism,monasticism,single blessedness,single state,singleness,spinsterhood,unwed state,virgin state,virginity 1631 - bacillus,adenovirus,aerobe,aerobic bacteria,amoeba,anaerobe,anaerobic bacteria,bacteria,bacterium,bug,coccus,disease-producing microorganism,echovirus,enterovirus,filterable virus,fungus,germ,gram-negative bacteria,gram-positive bacteria,microbe,microorganism,mold,nonfilterable virus,pathogen,picornavirus,protozoa,protozoon,reovirus,rhinovirus,rickettsia,spirillum,spirochete,spore,staphylococcus,streptococcus,trypanosome,vibrio,virus 1632 - back and fill,about ship,alternate,battledore and shuttlecock,bear away,bear off,bear to starboard,beat,beat about,box off,break,bring about,bring round,cant,cant round,cast,cast about,change,change course,change the heading,come about,come and go,dither,double a point,ebb and flow,equivocate,fetch about,flounder,fluctuate,go about,go through phases,gybe,heave round,hitch and hike,jibe,jibe all standing,miss stays,oscillate,pass and repass,pendulate,ply,reciprocate,ride and tie,ring the changes,round a point,seesaw,sheer,shift,shilly-shally,shuffle,shuttle,shuttlecock,slew,stagger,sway,swerve,swing,swing round,swing the stern,tack,teeter,teeter-totter,tergiversate,throw about,to-and-fro,totter,turn,turn back,vacillate,vary,veer,waver,wax and wane,wear,wear ship,wibble-wabble,wigwag,wind,wobble,yaw,zigzag 1633 - back and forth,alternate,alternately,back-and-forth,backward and forward,backwards and forwards,capriciously,changeably,desultorily,erratically,hitch and hike,in and out,inconstantly,mutatis mutandis,off and on,on and off,reciprocal,reciprocally,reciprocative,ride and tie,round and round,seesaw,shuttlewise,sine wave,to and fro,to-and-fro,uncertainly,unsteadfastly,unsteadily,up and down,up-and-down,variably,vice versa,waveringly 1634 - back burner,dinky,dispensable,immaterial,inappreciable,inconsequential,inconsiderable,inessential,inferior,insignificant,irrelevant,little,minor,minute,negligible,nonessential,not vital,petit,small,technical,unessential,unimpressive,unnoteworthy 1635 - back country,Lebensraum,air space,back,back of beyond,backwood,backwoods,backwoodsy,boondock,boondocks,borderland,brush,bush country,bushveld,clear space,clearance,clearing,desert,distant prospect,empty view,forests,frontier,glade,hinterland,living space,open country,open space,outback,outpost,plain,prairie,steppe,sylvan,terrain,territory,the bush,timbers,uninhabited region,up-country,virgin,virgin land,virgin territory,waste,wasteland,wide-open spaces,wild,wild West,wilderness,wilds,woodland,woodlands,woods 1636 - back door,French door,afterpart,afterpiece,archway,back,back road,back seat,back side,back stairs,back street,back way,backstairs,barway,behind,bolt-hole,breech,bulkhead,by-lane,bypass,bypath,byroad,bystreet,byway,carriage entrance,cellar door,cellarway,clandestine,covert,covert way,detour,door,doorjamb,doorpost,doorway,escalier derobe,escape hatch,escape route,feline,front door,furtive,gate,gatepost,gateway,hatch,hatchway,heel,hidlings,hind end,hind part,hindhead,hole-and-corner,hugger-mugger,lintel,occiput,porch,portal,porte cochere,posterior,postern,privy,propylaeum,pylon,quiet,rear,rear end,rearward,reverse,roundabout way,scuttle,secret exit,secret passage,secret staircase,shifty,side door,side road,side street,skulking,slinking,slinky,sly,sneaking,sneaky,stealthy,stern,stile,storm door,surreptitious,tail,tail end,tailpiece,threshold,tollgate,trap,trap door,turnpike,turnstile,under-the-counter,under-the-table,undercover,underground,underground railroad,underground route,underhand,underhanded,unobtrusive 1637 - back down,abjure,back off,back out,backpedal,backtrack,backwater,balance,balk,beat a retreat,beg off,break off combat,cave in,cease resistance,climb down,crawfish out,cry off,debate,deliberate,demur,deny,disavow,disclaim,disengage,disown,draw back,draw off,eat crow,eat humble pie,fall back,falter,fear,forswear,give ground,give in,give place,give up,give way,go back,go back on,hang back,hem and haw,hesitate,hold back,hover,hum and haw,jib,move back,pause,ponder,pull back,pull out,quit the field,recall,recant,renege,renounce,repudiate,resile,retire,retract,retreat,revoke,run back,scruple,shilly-shally,shy,stand back,stick at,stickle,stop to consider,straddle the fence,strain at,swallow,take back,think twice about,unsay,weasel out,welsh,withdraw,yield 1638 - back matter,PS,Parthian shot,acknowledgments,addendum,afterthought,appendix,article,back,bastard title,bibliography,book,catch line,catchword,chapter,chorus,clause,coda,codicil,colophon,conclusion,consequence,contents,contents page,continuance,continuation,copyright page,dedication,double take,dying words,endleaf,endpaper,endsheet,envoi,epilogue,errata,fascicle,flyleaf,folio,follow-through,follow-up,fore edge,foreword,front matter,gathering,half-title page,head,imprint,index,inscription,introduction,last words,leaf,makeup,number,page,paragraph,parting shot,passage,peroration,phrase,postface,postfix,postlude,postscript,preface,preliminaries,recto,refrain,reverso,running title,second thought,section,sentence,sequel,sequela,sequelae,sequelant,sequent,sequitur,sheet,signature,subscript,subtitle,suffix,supplement,swan song,table of contents,tag,tail,text,title,title page,trim size,type page,verse,verso 1639 - back number,Methuselah,antediluvian,antique,banal,behind the times,bewhiskered,bromidic,collection,common,commonplace,conservative,copy,corny,cut-and-dried,dad,dated,dodo,edition,elder,fade,familiar,fogy,fossil,fud,fuddy-duddy,fusty,granny,hackney,hackneyed,has-been,impression,issue,library,library edition,longhair,matriarch,mid-Victorian,mossback,moth-eaten,musty,number,old believer,old crock,old dodo,old fogy,old hat,old liner,old man,old poop,old woman,old-fashioned,old-timer,old-timey,oldfangled,out of fashion,out of season,out-of-date,outdated,outmoded,patriarch,platitudinous,pop,pops,printing,reactionary,regular old fogy,relic,school edition,series,set,square,stale,starets,stereotyped,stock,styleless,threadbare,timeworn,trade book,trade edition,traditionalist,trite,truistic,unfashionable,unoriginal,volume,warmed-over,well-known,well-worn,worn,worn thin 1640 - back of beyond,China,Darkest Africa,God knows where,Greenland,North Pole,Outer Mongolia,Pago Pago,Pillars of Hercules,Siberia,South Pole,Thule,Tierra del Fuego,Timbuktu,Ultima Thule,Yukon,antipodean,antipodes,back,back-country,backwood,backwoods,backwoodsy,frontier,godforsaken,godforsaken place,hinterland,hyperborean,inaccessible,jumping-off place,nowhere,out of reach,out-of-the-way,outback,outer space,outpost,outskirts,pole,sylvan,the Great Divide,the South Seas,the boondocks,the moon,the sticks,the tullies,unapproachable,ungetatable,untouchable,up-country,virgin,waste,wild,wilderness,woodland 1641 - back out,abandon,abjure,back down,backpedal,backwater,beat a retreat,beg off,boggle,chicken,chicken out,climb down,crawfish out,cry off,deny,depart from,desert under fire,disavow,discard,disclaim,disengage,disown,draw back,draw off,drop out,eat crow,eat humble pie,evacuate,fall back,falter,forsake,forswear,funk,funk out,get cold feet,give ground,give place,go back,go back on,jettison,jilt,leave,leave behind,leave flat,lose courage,maroon,move back,pull back,pull out,quit,quit cold,recant,renege,renounce,repudiate,resile,retire,retract,retreat,revoke,run back,say goodbye to,scuttle,skedaddle,stand back,stand down,swallow,take back,take leave of,throw over,unsay,vacate,welsh,withdraw 1642 - back scratching,apple-polishing,ass-kissing,backscratching,barter,bootlicking,brown-nosing,cringing,even trade,fawnery,fawning,flunkyism,footlicking,groveling,handshaking,influence peddling,ingratiation,insinuation,lobbying,lobbyism,logrolling,mealymouthedness,obeisance,obsequiousness,parasitism,political influence,pork barrel,prostration,public opinion,social pressure,special-interest pressure,sponging,swap,swapping,switch,sycophancy,timeserving,toadeating,toadying,toadyism,trade,trading,truckling,tufthunting,wire-pulling 1643 - back seat,afterpart,afterpiece,back,back door,back side,behind,breech,heel,hind end,hind part,hindhead,humbleness,humility,inferiority,juniority,lowliness,minority,occiput,posterior,postern,rear,rear end,rearward,reverse,second fiddle,second string,secondariness,servility,stern,subjection,subordinacy,subordination,subservience,tail,tail end,tailpiece,third string 1644 - back stairs,back door,back road,back street,back way,bolt-hole,by-lane,bypass,bypath,byroad,bystreet,byway,companion,companionway,covert way,detour,escalier,escalier derobe,escape hatch,escape route,fire escape,flight of steps,incline,landing,landing stage,perron,ramp,roundabout way,secret exit,secret passage,secret staircase,side door,side road,side street,spiral staircase,staircase,stairs,stairway,stepping-stones,steps,stile,treads and risers,underground,underground railroad,underground route 1645 - back talk,acknowledgment,answer,answering,antiphon,back answer,backchat,cheek,comeback,echo,evasive reply,guff,impudence,insolence,jaw,lip,mouth,reaction,ready reply,receipt,rejoinder,repartee,replication,reply,repost,rescript,rescription,respondence,response,responsion,responsory,retort,return,reverberation,riposte,sass,sassiness,sauce,sauciness,short answer,snappy comeback,witty reply,witty retort,yes-and-no answer 1646 - back to back,as one,as one man,at opposite extremes,behind,behind the scenes,coactively,coefficiently,collectively,combinedly,communally,concertedly,concordantly,concurrently,conjointly,contrariwise,contrary,cooperatingly,cooperatively,counter,eyeball to eyeball,face to face,hand in glove,hand in hand,harmoniously,in back of,in chorus,in concert with,in the background,in the rear,in unison,jointly,just opposite,nose to nose,opposite,poles apart,shoulder to shoulder,tandem,together,unanimously,vis-a-vis,with one voice 1647 - back up,act for,advance,affirm,afford support,answer for,appear for,ascend,attest,authenticate,back,back away,back off,backpedal,backtrack,backtrail,backwater,bear,bear out,bear up,bolster,bolster up,brace,budge,buoy up,buttress,carry,certify,champion,change,change place,circle,circumstantiate,climb,come after,come last,commission,confirm,corroborate,countermarch,cradle,crutch,cushion,deputize,descend,document,ebb,elect,endorse,fall astern,fall back,fall behind,flow,follow,fortify,front for,get behind,get in behind,get over,give support,go,go around,go back,go backwards,go into reverse,go round,go sideways,gyrate,hold,hold up,keep afloat,keep up,lag behind,lend support,mainstay,maintain,make sternway,mount,move,move over,nominate,pillow,pinch-hit for,plunge,probate,progress,prop,prove,ratify,regress,reinforce,represent,retrogress,reverse,revert,rise,rotate,run,run interference for,second,shift,shore,shore up,shoulder,side with,sink,soar,speak for,spin,stand back of,stand behind,stand by,stand in for,stay,stick by,stick up for,stir,stream,strengthen,subside,subsidize,substantiate,substitute for,subvention,support,sustain,take sides with,trail,trail behind,travel,underbrace,undergird,underlie,underpin,underset,understudy,upbear,uphold,upkeep,validate,verify,vote,wane,warrant,whirl 1648 - back way,back door,back road,back stairs,back street,bolt-hole,by-lane,bypass,bypath,byroad,bystreet,byway,covert way,detour,escalier derobe,escape hatch,escape route,roundabout way,secret exit,secret passage,secret staircase,side door,side road,side street,underground,underground railroad,underground route 1649 - back,a priori,a rebours,a reculons,abandon,abet,accented,acknowledgments,advance,advocate,affirm,afford support,aft,after,aftermost,afterpart,afterpiece,again,against the grain,ago,aid,alpenstock,alveolar,alveolar ridge,alveolus,angel,ante,ante up,anticlockwise,apex,apical,apico-alveolar,apico-dental,arear,arena,arm,around,arrested,articulated,arytenoid cartilages,ascend,ascender,ascending,aside,ass-backwards,assimilated,assist,assure,astern,athletic supporter,attest,authenticate,away,axial,back away,back door,back matter,back of beyond,back off,back seat,back side,back up,back when,back-country,back-flowing,backbone,backdrop,background,backing,backpedal,backside,backstop,backtrack,backtrail,backward,backwards,backwater,backwood,backwoods,backwoodsy,bandeau,bankroll,bankrupt,barytone,bastard title,bastard type,be sponsor for,bear,bear out,bear up,beard,bearer,behind,behindhand,belated,belly,bestraddle,bestride,bet,bet on,bevel,bibliography,bilabial,black letter,blade,blocked,board,body,bolster,bolster up,bond,boost,bra,brace,bracer,bracket,brassiere,break,breech,broad,budge,buoy up,buttress,by,cacuminal,call,cane,cap,capital,capitalize,carrier,carry,case,cast off,catch line,catchword,central,cerebral,certify,cervix,champion,change,change place,chasing,checked,circle,circumstantiate,climb,climb on,close,colophon,come after,come last,commend,confirm,consonant,consonantal,contents,contents page,continuant,copyright page,corroborate,corset,counter,counterclockwise,countermarch,countersecure,cover,cradle,crook,crush,crutch,cry up,cushion,deceitfully,dedication,defeat,delayed,delayed-action,dental,deny,descend,descender,descending,destroy,detained,disavow,disown,disregard,dissimilated,distance,distant,document,dorsal,dorsal region,dorsum,down-trending,downward,drifting,due,early,ebb,elect,em,en,encourage,endleaf,endorse,endpaper,endsheet,ensure,errata,ex post facto,extremity,face,fade,fail,fall astern,fall back,fall behind,fat-faced type,feet,field,finance,flat,flow,flowing,fluent,flying,flyleaf,folio,follow,following,font,for a consideration,fore edge,foreword,forsake,fortify,foundation garment,fro,front,front matter,frontier,fulcrum,fund,furtively,gamble,get behind,get in,get in behind,get on,get over,girdle,give support,glide,glossal,glottal,go,go aboard,go around,go astern,go back,go back on,go backwards,go into reverse,go on board,go round,go sideways,going,gone by,groove,ground,grubstake,guarantee,guaranty,guttural,guy,guywire,gyrate,gyrational,gyratory,half-title page,hard,hard palate,hard pressed,hazard,head,heavy,heel,held up,help,helpless,high,hind,hind end,hind part,hinder,hindermost,hindhand,hindhead,hindmost,hindward,hindwards,hinterland,hold,hold up,hop in,hung up,hype,ignore,imprint,in a bind,in abeyance,in arrear,in arrears,in back of,in compensation,in consideration,in reserve,in return,in reverse,in times past,index,inscription,insidiously,insure,into the past,intonated,introduction,invest in,isolated,italic,jammed,jock,jockstrap,jump in,keep afloat,keep up,labial,labiodental,labiovelar,lag behind,larynx,late,lateral,latish,lax,lay,lay a wager,lay down,leaf,lend support,letter,ligature,light,lingual,lips,liquid,locale,logotype,loin,low,lower case,mainstay,maintain,maintainer,majuscule,make a bet,make sternway,makeup,mast,master,mature,meet a bet,mid,minuscule,mise-en-scene,monophthongal,moratory,mount,mounting,move,move over,muted,narrow,nasal,nasal cavity,nasalized,neck,never on time,nick,nominate,obstructed,occiput,occlusive,open,oral cavity,outback,outlandish,outlying,outstanding,overcome,overdue,owed,owing,oxytone,page,palatal,palatalized,palate,parlay,pass,passing,past due,patronize,pay for,payable,pharyngeal,pharyngeal cavity,pharyngealized,pharynx,phonemic,phonetic,phonic,pi,pica,pile in,pillow,pitch,pitched,play against,plug,plunge,plunging,point,posterior,postern,posttonic,preface,preliminaries,primitive,print,privately,probate,progress,progressive,promote,prop,prove,provide for,puff,punt,pursuing,rachis,ratify,raw,rear,rear end,rearmost,rearward,rearwards,receivable,recommend,recto,redeemable,refinance,reflex,reflowing,refluent,regress,regressive,reinforce,reinforcement,reinforcer,reject,reminiscently,remote,renege,repudiate,rest,resting place,retarded,retract,retrad,retral,retreat,retroactive,retroactively,retrocede,retroflex,retrograde,retrogress,retrogressive,retrospective,retrospectively,reverse,reversed,reverso,revert,ridge,rigging,rigidify,rise,rising,roman,rotary,rotate,rotational,rotatory,rough,round,round about,rounded,ruin,run,run interference for,running,running title,rushing,sans serif,scene,screw up,script,second,secretly,secure,see,semivowel,service,set up,setting,shank,shift,shore,shore up,shoulder,shroud,side with,sideward,sign,sign for,signature,since,sink,sinking,slow,slyly,small cap,small capital,sneakily,soar,soaring,soft,soft palate,sonant,speak highly of,speak warmly of,speak well of,speech organ,spin,spinal column,spine,sponsor,sprit,staff,stage,stage set,stage setting,stake,stamp,stand back of,stand behind,stand by,stand pat,stand up for,standing rigging,stave,stay,stem,stern,stick,stick by,stick up for,stiffen,stiffener,stir,stopped,stream,streaming,strengthen,strengthener,stressed,strong,subscribe to,subside,subsidize,substantiate,subtitle,subvene,subvention,support,supporter,surd,surreptitiously,sustain,sustainer,syllabic,sylvan,syrinx,table of contents,tail,tail end,tailpiece,take sides with,tardy,teeth,teeth ridge,tense,text,theater,thick,throaty,tighten,tip,title,title page,to the rear,tonal,tongue,tonic,tout,trail,trail behind,travel,treacherously,trice up,trim size,turned around,twangy,type,type body,type class,type lice,type page,typecase,typeface,typefounders,typefoundry,unaccented,uncivilized,uncultivated,underbrace,undergird,underlie,underpin,underset,undersign,underwrite,undeveloped,uninhabited,unoccupied,unpaid,unpopulated,unpunctual,unready,unrounded,unsettled,unstressed,untimely,up-country,up-trending,upbear,uphold,upholder,upkeep,upper case,upward,validate,vanquish,velar,velum,verify,verso,vertebrae,vertebral column,virgin,vocal chink,vocal cords,vocal folds,vocal processes,vocalic,vocoid,voice box,voiced,voiceless,vote,vowel,vowellike,wager,walking stick,wane,warrant,waste,weak,whirl,widdershins,wide,wild,wilderness,withdraw from,without hope,woodland,wrong-way,wrong-way around 1650 - backbiting,abuse,animadversion,backstabbing,belittlement,calumnious,calumny,defamation,defamatory,depreciation,detracting,disparagement,invective,maligning,obloquy,reflection,scandal,scandalous,slander,slanderous,stricture,tale,vilifying,vituperation 1651 - backbone,advocate,alpenstock,arm,athletic supporter,back,backing,bandeau,bearer,bottom,bra,brace,bracer,bracket,brassiere,buttress,cane,carrier,cervix,chutzpah,corset,courage,crook,crutch,determination,firmness,fortitude,foundation garment,fulcrum,gameness,girdle,grit,guts,gutsiness,guttiness,guy,guywire,hardihood,heart,heart of oak,intestinal fortitude,jock,jockstrap,mainstay,maintainer,mast,mettle,mettlesomeness,moxie,neck,nerve,pillar,pith,pluck,pluckiness,prop,purposefulness,rachis,reinforce,reinforcement,reinforcer,resoluteness,resolution,resolve,rest,resting place,rigging,sand,shoulder,shroud,spinal column,spine,spirit,sprit,spunk,spunkiness,stability,staff,stamina,standing rigging,stave,stay,staying power,stick,stiffener,stout heart,strength,strengthener,sturdiness,support,supporter,sustainer,toughness,true grit,upholder,vertebrae,vertebral column,walking stick,will 1652 - backbreaking,Herculean,annoying,arduous,besetting,bothersome,burdensome,crushing,effortful,forced,grueling,hard-earned,hard-fought,heavy,hefty,irksome,killing,labored,laborious,onerous,operose,oppressive,painful,plaguey,punishing,strained,strenuous,toilsome,tough,troublesome,trying,uphill,vexatious,wearisome 1653 - backdrop,act drop,arena,asbestos,asbestos board,back,background,batten,border,cloth,coulisse,counterweight,curtain,curtain board,cyclorama,decor,distance,drop,drop curtain,field,fire curtain,flat,flipper,ground,hanging,hinterland,locale,mise-en-scene,rag,rear,scene,scenery,screen,setting,side scene,stage,stage screw,stage set,stage setting,tab,tableau,teaser,theater,tormentor,transformation,transformation scene,wing,wingcut,woodcut 1654 - backed,accepted,acclaimed,admired,admitted,advocated,applauded,approved,calcified,callous,calloused,case-hardened,cried up,crusted,crusty,crystallized,favored,favorite,fossilized,granulated,hardened,highly touted,hornified,in good odor,incrusted,indurate,indurated,lapidified,ossified,petrified,popular,received,recommended,reinforced,rigidified,sclerotic,set,solidified,steeled,stiffened,strengthened,supported,toughened,vitrified,well-thought-of 1655 - backer,Dionysus,Maecenas,Samaritan,Santa Claus,abettor,acquaintance,admirer,advocate,aficionado,aid,aider,ally,almoner,almsgiver,alter ego,angel,apologist,assignor,assister,awarder,befriender,benefactor,benefactress,benefiter,best friend,bestower,bettor,bosom friend,brother,buff,casual acquaintance,champion,cheerful giver,close acquaintance,close friend,conferrer,confidant,confidante,consignor,contributor,defender,dependence,donator,donor,encourager,endorser,exponent,fairy godmother,familiar,fan,favorer,fellow,fellow creature,fellowman,feoffor,financer,friend,friend at court,funder,giver,good Samaritan,good person,grantor,grubstaker,guarantor,help,helper,helping hand,imparter,inseparable friend,intimate,investor,jack-at-a-pinch,lady bountiful,lover,mainstay,maintainer,meal ticket,ministering angel,ministrant,neighbor,other self,paranymph,partisan,patron,patroness,philanthropist,pickup,presenter,promoter,protagonist,punter,reliance,repository,second,seconder,sectary,settler,sider,sponsor,staker,stalwart,standby,subscriber,succorer,sugar daddy,support,supporter,surety,sustainer,sympathizer,testate,testator,testatrix,underwriter,upholder,votary,vouchsafer,well-wisher 1656 - backfire,backlash,backlashing,balefire,bang,beacon,beacon fire,blast,blaze,blow out,blow up,blowout,blowup,bonfire,boom,boomerang,bounce,bounce back,bound,bound back,burning ghat,burst,bust,campfire,cannon,cannon off,carom,cheerful fire,combustion,come to grief,comeback,conflagration,contrecoup,corposant,counterattack,counterblast,counterblow,counterfire,counterinsurgency,countermeasure,counterrevolution,counterstep,counterstroke,cozy fire,crackling fire,crematory,death fire,defense,detonate,detonation,discharge,explode,explosion,fall through,fen fire,fire,fizzle,flame,flare,flash,flashing point,flicker,flickering flame,fly back,forest fire,fox fire,fulguration,fulminate,fulmination,funeral pyre,go off,have repercussions,ignis fatuus,ignition,ingle,kick,kick back,kickback,lambent flame,lash back,lay an egg,let off,marshfire,miscarry,miss,open fire,prairie fire,pyre,raging fire,rebound,rebuff,recalcitrate,recalcitration,recoil,repercuss,repercussion,report,repulse,resile,resilience,retort,ricochet,sea of flames,set off,sheet of fire,shoot,signal beacon,smudge fire,snap back,spring,spring back,three-alarm fire,touch off,two-alarm fire,watch fire,wildfire,witch fire 1657 - backflow,Charybdis,Maelstrom,back stream,backwash,backwater,countercurrent,counterflow,counterflux,eddy,gulf,gurge,maelstrom,refluence,reflux,regurgitation,swirl,twirl,vortex,whirl,whirlpool 1658 - background,action,agora,amphitheater,anagnorisis,angle,architectonics,architecture,arena,argument,athletic field,atmosphere,auditorium,back,backdrop,background detail,backstage,bear garden,behind the scenes,blaseness,bowl,boxing ring,breeding,bull ring,campus,canvas,catastrophe,characterization,circus,cockpit,coliseum,color,colosseum,complication,continuity,contrivance,course,credentials,curriculum vitae,decorative composition,decorative style,denouement,design,detail,development,device,distance,episode,experience,fable,falling action,family,field,figure,floor,foil,foreground detail,form,forum,gimmick,ground,gym,gymnasium,hall,hinterland,hippodrome,history,horizon,in the background,incident,inconspicuous,line,lists,local color,locale,marketplace,mat,milieu,mise-en-scene,mood,motif,movement,mythos,national style,obscurity,offing,open forum,ornamental motif,palaestra,parade ground,past experience,pattern,period style,peripeteia,pit,place,plan,platform,plot,practical knowledge,practice,precinct,prize ring,public square,purlieu,range,rear,recognition,remote distance,repeated figure,ring,rising action,sagacity,scene,scene of action,scenery,scheme,seasoning,secondary plot,setting,site,slant,sophistication,sphere,squared circle,stadium,stage,stage set,stage setting,story,structure,style,subject,subplot,switch,tempering,terrain,the distance,theater,thematic development,theme,tilting ground,tiltyard,tone,topic,touch,training,twist,unnoticed,unobtrusive,unseen,upbringing,vanishing point,walk,worldly wisdom,wrestling ring 1659 - backhanded,O-shaped,abusive,ambagious,atrocious,backhand,calumnious,circuitous,circular,contumelious,deflectional,degrading,deviant,deviating,deviative,devious,digressive,discursive,divagational,divergent,excursive,helical,humiliating,indirect,insolent,insulting,left-handed,meandering,oblique,offensive,orbital,out-of-the-way,outrageous,rotary,round,roundabout,scurrile,scurrilous,side,sidelong,sinister,sinistral,spiral,unspeakable 1660 - backing,Brownian movement,Smyth sewing,abetment,about-face,about-turn,advance,advocacy,advocate,advocating,aegis,affirmation,aid,alpenstock,angular motion,approval,approving,arm,ascending,ascent,assistance,athletic supporter,attestation,auspices,authentication,axial motion,back,back track,back trail,backbone,backflowing,backing off,backing out,backing up,backsliding,backup,backward motion,bandeau,bearer,bearing,bearing out,bibliofilm,bibliopegy,binder board,binding,bipack,black-and-white film,bolstering,book cloth,book cover,book jacket,bookbinding,bookcase,bra,brace,bracer,bracket,brassiere,bushing,buttress,buttressing,cane,capitalization,care,career,carriage,carrier,carrying,cartridge,case,casemaking,casing-in,certification,cervix,championship,charity,chassis,circumstantiation,climbing,collating,collating mark,color film,color negative film,confirmation,cooperation,corroboration,corroboratory evidence,corset,countenance,course,cover,crook,crutch,current,deficit financing,descending,descent,disenchantment,documentation,dope,downward motion,drift,driftage,dry plate,dust cover,dust jacket,ebbing,emulsion,encouragement,endorsement,favor,favorable,favoring,film,financial backing,financial support,financing,flight,flip-flop,flow,flux,folding,footband,fortification,forward motion,fosterage,foundation garment,frame,fulcrum,funding,funds,gathering,girdle,gluing-off,goodwill,grant,grubstake,guidance,guy,guywire,hard binding,headband,help,infrastructure,interest,investment,jacket,jock,jockstrap,lapse,library binding,lining,lining-up,mainstay,maintainer,maintenance,mast,mechanical binding,microfilm,money,monochromatic film,moral support,motion-picture film,mount,mounting,neck,negative,niggerhead,oblique motion,ongoing,onrush,orthochromatic film,pack,panchromatic film,passage,patronage,patronization,perfect binding,photographic paper,plastic binding,plate,plunging,printing paper,pro,progress,proof,prop,proving,proving out,provision of capital,psychological support,radial motion,random motion,ratification,recidivation,recidivism,reclamation,reconversion,reflowing,refluence,reflux,regress,regression,rehabilitation,reinforce,reinforcement,reinforcer,reinstatement,relapse,reliance,rest,resting place,restitution,restoration,retrocession,retrogradation,retrogression,retroversion,return,returning,reversal,reverse,reversing,reversion,reverting,revulsion,rigging,right-about,right-about-face,rising,roll,rounding,run,rush,saddle stitching,seconding,security blanket,set,setting,sewing,shoulder,shroud,side sewing,sideward motion,signature,sinking,skeleton,slipcase,slipcover,slipping back,smashing,soaring,soft binding,sound film,sound track,sound-on-film,soundstripe,spine,spiral binding,sponsorship,sprit,staff,stake,stamping,standing rigging,stapling,stave,stay,sternway,stick,stiffener,stream,strengthener,strengthening,subsiding,subsidy,substantiation,subvention,succor,support,supporter,supporting,supporting evidence,supportive relationship,supportive therapy,sustainer,sustaining,sustainment,sustenance,sustentation,swingaround,sympathy,tailband,tipping,traject,trajet,trend,trimming,tripack,turn,turnabout,turnaround,tutelage,underframe,undergirding,upholder,upholding,upkeep,upward motion,validation,vehicle,verification,volte-face,walking stick,well-disposed,well-inclined,wire stitching,wrapper 1661 - backlash,antagonism,antipathy,backfire,backlashing,backwash,boomerang,bounce,bounce back,bound,carom,clashing,clout,collision,conflict,confutation,contradiction,contraposition,contrariety,contrecoup,counteraction,counterposition,counterworking,crankiness,crotchetiness,dissent,force,friction,impact,impress,impression,imprint,interference,kick,kick back,kickback,mark,nonconformity,opposition,opposure,oppugnance,oppugnancy,perverseness,print,reaction,rebound,rebuff,recalcitrance,recalcitration,recoil,reflex,renitency,repercussion,repugnance,repulse,resilience,resistance,response,revolt,ricochet,spring,swimming upstream 1662 - backlog,abundance,accumulation,amassment,bavin,brush,brushwood,budget,cache,collection,commissariat,commissary,cornucopia,cumulation,dump,fagot,firewood,heap,hoard,inventory,kindling,kindlings,larder,log,mass,material,materials,materiel,munitions,nest egg,pile,plenitude,plenty,provisionment,provisions,rations,repertoire,repertory,reserve,reserve fund,reserve supply,reserves,reservoir,resource,rick,savings,sinking fund,something in reserve,stack,stock,stock-in-trade,stockpile,store,stores,stovewood,supplies,supply on hand,treasure,treasury,unexpended balance,wood,yule clog,yule log 1663 - backpedal,arrest,back,back away,back off,back out,back up,backtrack,backtrail,backwater,brake,check,clip the wings,countermarch,crawfish out,cry off,curb,decelerate,delay,detain,dodge,draw rein,duck,ease off,ease up,elude,evade,get around,go into reverse,hold back,hold in check,hold up,impede,keep back,let down,let up,lose ground,lose momentum,lose speed,make sternway,moderate,obstruct,reef,rein in,relax,renege,resile,retard,reverse,set back,shirk,sidestep,slack off,slack up,slacken,slow,slow down,slow up,stay,take in sail,throttle down,welsh 1664 - backseat driver,Dutch uncle,Paul Pry,Polonius,Sunday driver,admonisher,adviser,bus driver,busman,busybody,buttinsky,cabby,cabdriver,chauffeur,confidant,consultant,counsel,counselor,driver,expert,guide,hack,hackdriver,hackman,hacky,hit-and-run driver,instructor,intermeddler,jitney driver,joyrider,kibitzer,meddler,mentor,monitor,motorist,nestor,orienter,preceptist,prier,pry,road hog,snoop,snooper,speeder,taxidriver,teacher,teamster,truck driver,trucker,truckman,yenta 1665 - backslapper,adulator,apple-polisher,ass-licker,backscratcher,blarneyer,bootlick,bootlicker,brown-nose,brownie,cajoler,clawback,courtier,creature,cringer,dupe,fawner,flatterer,flunky,footlicker,groveler,handshaker,helot,instrument,jackal,kowtower,lackey,led captain,lickspit,lickspittle,mealymouth,minion,peon,puppet,serf,slave,spaniel,stooge,suck,sycophant,timeserver,toad,toady,tool,truckler,tufthunter,wheedler,yes-man 1666 - backslide,cock,defect,degenerate,desert,err,fall,fall again into,fall astern,fall away,fall back,fall behind,fall from grace,get behind,go astray,go backwards,go behind,go wrong,have a relapse,jerk back,lapse,lapse back,lose ground,pull back,recede,recidivate,recur to,regress,relapse,retrocede,retroflex,retrograde,retrogress,retrovert,return,return to,reverse,revert,revert to,sink back,slide back,slip,slip back,tergiversate,trip,turn,yield again to 1667 - backsliding,Adamic,about-face,amorality,apostasy,apostate,atheism,atheistic,backing,backset,backslide,backward motion,backward step,betrayal,blasphemous,bolt,breakaway,carnal,carnality,criminality,defection,delinquency,desertion,disenchantment,disloyalty,erring,evil,evil nature,faithlessness,fall,fall from grace,fallen,fallen from grace,fleshly,flip-flop,frail,going over,immorality,impiety,impious,impiousness,impure,impurity,infirm,irreligion,irreligious,irreverence,irreverent,lapse,lapse from grace,lapsed,lapsing,moral delinquency,of easy virtue,peccability,peccable,postlapsarian,prodigal,prodigality,profanatory,profane,ratting,reaction,recession,recidivation,recidivism,recidivist,recidivistic,recidivous,reclamation,reconversion,recreancy,recreant,recrudescent,reentry,refluence,reflux,regress,regression,regressive,rehabilitation,reinstatement,relapse,relapsing,renegade,restitution,restoration,retroaction,retrocession,retroflexion,retrogradation,retrogression,retroversion,retrusion,return,returning,reversal,reverse,reversion,reverting,revulsion,rollback,sacrilegious,secession,setback,slipping back,sternway,throwback,treason,turn,turnabout,turning traitor,unangelic,unangelicalness,unchaste,unchastity,unclean,uncleanness,undutiful,undutifulness,ungodliness,ungodly,ungood,ungoodness,unmorality,unrighteous,unrighteousness,unsaintliness,unsaintly,unvirtuous,unvirtuousness,vice,viciousness,virtueless,wanton,wantonness,wayward,waywardness,weak,wrongdoing 1668 - backstage,DR,L,R,acting area,apron,apron stage,band shell,bandstand,before an audience,before the footlights,behind the scenes,board,bridge,coulisse,dock,down left,down right,downstage,dressing room,flies,fly floor,fly gallery,forestage,greenroom,grid,gridiron,in the limelight,lightboard,off stage,on the stage,onstage,orchestra,orchestra pit,performing area,pit,proscenium,proscenium stage,shell,stage,stage left,stage right,switchboard,the boards,up left,upright,upstage,wings 1669 - backstairs,back-door,clandestine,covert,feline,furtive,hidlings,hole-and-corner,hugger-mugger,privy,quiet,shifty,skulking,slinking,slinky,sly,sneaking,sneaky,stealthy,surreptitious,under-the-counter,under-the-table,undercover,underground,underhand,underhanded,unobtrusive 1670 - backstop,advocate,aegis,arch dam,arm guard,back,bamboo curtain,bank,bar,barrage,barrier,bear-trap dam,beaver dam,boom,breakwater,breastwork,brick wall,buffer,bulkhead,bulwark,bumper,champion,cofferdam,contraceptive,copyright,crash helmet,cushion,dam,dashboard,defense,dike,ditch,dodger,earthwork,embankment,face mask,fence,fender,finger guard,foot guard,fuse,gate,goggles,governor,gravity dam,groin,guard,guardrail,hand guard,handrail,hard hat,helmet,hydraulic-fill dam,insulation,interlock,iron curtain,jam,jetty,knee guard,knuckle guard,laminated glass,leaping weir,levee,life preserver,lifeline,lightning conductor,lightning rod,logjam,mask,milldam,moat,mole,mound,mudguard,nose guard,pad,padding,palladium,parapet,patent,pilot,portcullis,preventive,prophylactic,protective clothing,protective umbrella,rampart,roadblock,rock-fill dam,safeguard,safety,safety glass,safety plug,safety rail,safety shoes,safety switch,safety valve,screen,seat belt,seawall,shield,shin guard,shutter dam,side with,stone wall,sun helmet,umbrella,uphold,wall,weir,wicket dam,windscreen,windshield,work 1671 - backstroke,Australian crawl,Long Melford,aquaplaning,aquatics,backhand,backhander,balneation,bathe,bathing,bolo punch,breaststroke,butterfly,crawl,diving,dog paddle,fin,fishtail,flapper,flipper,floating,haymaker,hook,natation,one-two,round-arm blow,roundhouse,short-arm blow,sidestroke,sidewinder,surfboarding,surfing,swim,swimming,swing,treading water,uppercut,wading,waterskiing 1672 - backup,about-face,about-turn,advocate,agent,alter ego,alternate,alternative,amicus curiae,analogy,attorney,back track,back trail,backing,backing off,backing out,backing up,backup man,champion,change,changeling,comparison,copy,counterfeit,deputy,double,dummy,equal,equivalent,ersatz,exchange,executive officer,exponent,fake,figurehead,fill-in,ghost,ghostwriter,imitation,lieutenant,locum,locum tenens,makeshift,metaphor,metonymy,mock,next best thing,paranymph,personnel,phony,pinch,pinch hitter,pleader,procurator,provisional,proxy,relief,replacement,representative,reserve,reserves,reversal,reverse,reversing,reversion,right-about,right-about-face,ringer,second in command,second string,secondary,sign,spare,spares,stand-in,stopgap,sub,substituent,substitute,substitution,succedaneum,superseder,supplanter,surrogate,swingaround,symbol,synecdoche,temporary,tentative,third string,token,turnabout,turnaround,understudy,utility,utility man,utility player,vicar,vicar general,vicarious,vice,vice-president,vice-regent,vicegerent,volte-face 1673 - backward,Micawberish,Olympian,a priori,a rebours,a reculons,about,afraid,aft,after,after time,aftermost,again,against the grain,ago,aloof,anticlockwise,apathetic,arear,around,arrested,arsy-varsy,ascending,ass over elbows,ass-backwards,astern,averse,away,axial,babbling,back,back when,back-flowing,back-to-front,backwards,balking,balky,bashful,behind,behind the times,behind time,behindhand,belated,belatedly,benighted,bigoted,blank,blind,blithering,blocked,bottom side up,bottom up,burbling,capsized,chary,checked,chiastic,chilled,chilly,coarse,cold,conservative,constrained,contrarily,contrariwise,conversely,cool,counter,counterclockwise,coy,crackbrained,cracked,crazy,cretinistic,cretinous,crude,dallying,deep into,delayed,delayed-action,delaying,demure,descending,detached,detained,die-hard,diffident,dilatory,dillydallying,dim,dim-witted,discreet,distant,dithering,down-trending,downward,drifting,driveling,drooling,dull,dumb,early,easygoing,embryonic,everted,ex post facto,expressionless,far on,feebleminded,flowing,fluent,flying,fogyish,foot-dragging,forbidding,frigid,fro,frosty,going,gone by,grudging,guarded,gyrational,gyratory,half-baked,half-witted,head over heels,heels over head,held up,hesitant,hidebound,hind,hinder,hindermost,hindhand,hindmost,hindward,hindwards,hung up,hyperbatic,icy,idiotic,ignorant,imbecile,imbecilic,impassive,impeded,impersonal,in a bind,in abeyance,in embryo,in ovo,in reverse,in the rough,inaccessible,indifferent,indisposed,inside out,into the past,introverted,invaginated,inversed,inversely,inverted,jammed,lackadaisical,laggard,lagging,late,latish,lax,lazy,lingering,loath,loitering,maundering,medieval,mentally defective,mentally deficient,mentally handicapped,mentally retarded,modest,mongoloid,moratory,moronic,mounting,narrow,never on time,none too soon,nonprogressive,not all there,obstructed,obtuse,offish,old-fashioned,old-fogyish,old-line,opposed to change,outside in,over,overdue,oversimple,palindromic,passing,perfunctory,plunging,poor,posterior,posteriorly,postern,preservative,procrastinating,procrastinative,procrastinatory,progressive,quiet,reactionary,rear,rearmost,rearward,rearwards,reductionistic,reductive,reflex,reflowing,refluent,regressive,reluctant,reminiscently,remiss,remote,removed,renitent,repressed,reserved,restive,restrained,resupinate,retarded,reticent,retiring,retrad,retral,retroactive,retroactively,retrograde,retrogressive,retrospective,retrospectively,retroverted,reverse,reversed,right-wing,rising,rotary,rotational,rotatory,rough,roughcast,roughhewn,round,round about,rude,rudimental,rudimentary,running,rushing,self-effacing,set back,shrinking,shuffling,shy,sideward,simple,simpleminded,simpletonian,simplistic,since,sinking,slack,slobbering,slow,slow to,slow-witted,slowed down,sluggish,soaring,standoff,standoffish,standpat,stopped,streaming,struggling,stunted,stupid,subdued,subnormal,suppressed,tail,tailward,tailwards,tardy,thickheaded,timid,to the rear,topsy-turvy,transposed,turned around,ultraconservative,unaffable,unapproachable,unassertive,unassured,unblown,uncongenial,uncultivated,uncultured,uncut,undemonstrative,underdeveloped,undeveloped,uneager,unenlightened,unenthusiastic,unexpansive,unfashioned,unfinished,unformed,ungenial,unhewn,uninformed,unlabored,unlicked,unpolished,unprocessed,unprogressive,unpunctual,unready,unrefined,untimely,untreated,unwilling,unworked,unwrought,unzealous,up-trending,upside down,upside-down,upward,vice versa,widdershins,withdrawn,wrong side out,wrong-way,wrong-way around 1674 - backwash,Charybdis,Maelstrom,back stream,backcountry,backflow,backlash,backwater,backwoods,boondocks,bush,clout,condensation trail,contrail,countercurrent,counterflow,counterflux,eddy,exhaust,force,gulf,gurge,hinterland,impact,impress,impression,imprint,maelstrom,mark,print,reaction,recoil,reflex,refluence,reflux,regurgitation,repercussion,response,sticks,stream,swirl,track,twirl,up-country,vapor trail,vortex,wake,wash,whirl,whirlpool 1675 - backwater,Charybdis,Maelstrom,abjure,arrest,back,back away,back down,back off,back out,back stream,back up,backcountry,backflow,backpedal,backtrack,backtrail,backwash,backwoods,boondocks,brake,bush,check,climb down,clip the wings,countercurrent,counterflow,counterflux,countermarch,crawfish out,cry off,curb,decelerate,delay,deny,detain,disavow,disclaim,disown,dodge,draw rein,duck,ease off,ease up,eat crow,eat humble pie,eddy,elude,evade,forswear,get around,go astern,go into reverse,gulf,gurge,hinterland,hold back,hold in check,hold up,impede,keep back,let down,let up,lose ground,lose momentum,lose speed,maelstrom,make sternway,moderate,obstruct,recant,reef,refluence,reflux,regurgitation,rein in,relax,renege,renounce,repudiate,resile,retard,retract,reverse,revoke,set back,shirk,sidestep,slack off,slack up,slacken,slow,slow down,slow up,stay,sticks,swallow,swirl,take back,take in sail,throttle down,twirl,unsay,up-country,vortex,welsh,whirl,whirlpool,withdraw 1676 - backwoods,back,back country,back of beyond,back-country,backcountry,backwash,backwater,backwood,backwoodsy,boondock,boondocks,borderland,brush,bush,bush country,bushveld,forests,frontier,hinterland,outback,outpost,sticks,sylvan,the bush,timbers,uninhabited region,up-country,virgin,virgin land,virgin territory,waste,wasteland,wild,wild West,wilderness,wilds,woodland,woodlands,woods 1677 - backwoodsman,briar-hopper,brush ape,bumpkin,bushman,clam digger,cracker,desert rat,forester,frontiersman,hick,hillbilly,hinterlander,mountain man,mountaineer,piny,provincial,redneck,ridge runner,woodlander,woodman,woodsman,yokel 1678 - bacon,butt,chitterlings,cochon de lait,cracklings,fat back,flitch,gammon,ham,ham steak,haslet,headcheese,jambon,jambonneau,lard,picnic ham,pieds de cochon,pig,pork,porkpie,salt pork,side of bacon,small ham,sowbelly,suckling pig,trotters 1679 - bacteria,Euglena,adenovirus,aerobe,aerobic bacteria,amoeba,anaerobe,anaerobic bacteria,animalcule,bacillus,bacterium,bug,coccus,colon bacillus,diatom,disease-producing microorganism,dyad,echovirus,enterovirus,filterable virus,flagellate,fungus,germ,gram-negative bacteria,gram-positive bacteria,microbe,microorganism,microspore,microzoa,mold,monad,nematode,nonfilterable virus,paramecium,pathogen,picornavirus,protozoa,protozoon,reovirus,rhinovirus,rickettsia,salmonella,saprophyte,spirillum,spirochete,spore,sporozoon,staphylococcus,streptococcus,tetrad,triad,trypanosome,vibrio,virus,volvox,vorticellum,zoospore 1680 - bacteriology,aerobiology,agrobiology,anatomy,astrobiology,biochemics,biochemistry,biochemy,bioecology,biological science,biology,biometrics,biometry,bionics,bionomics,biophysics,botany,cell physiology,cryobiology,cybernetics,cytology,ecology,electrobiology,embryology,enzymology,ethnobiology,exobiology,genetics,gnotobiotics,life science,microbiology,molecular biology,pharmacology,physiology,radiobiology,taxonomy,virology,xenobiology,zoology 1681 - bad blood,acrimony,animosity,animus,antagonism,antipathy,bad temper,bad will,bitter feeling,bitterness,blighting glance,clashing,collision,competition,conflict,contrariety,contrariness,cross-purposes,disaccord,dissension,enmity,evil disposition,evil eye,feud,fractiousness,friction,hard feelings,hostility,ill blood,ill feeling,ill nature,ill will,ill-disposedness,inimicalness,malevolence,malocchio,negativeness,noncooperation,obstinacy,oppugnancy,perverseness,rancor,recalcitrance,refractoriness,repugnance,rivalry,soreness,sourness,uncooperativeness,vendetta,venom,virulence,vitriol,vying,whammy 1682 - bad boy,booger,buffoon,bugger,cutup,devil,elf,enfant terrible,funmaker,hood,hoodlum,hooligan,imp,joker,jokester,knave,little devil,little monkey,little rascal,minx,mischief,mischief-maker,pixie,practical joker,prankster,puck,rapscallion,rascal,rogue,rowdy,ruffian,scamp,scapegrace,wag 1683 - bad breath,BO,bad smell,body odor,fetidity,fetidness,fetor,foul breath,foul odor,frowst,graveolence,halitosis,malodor,mephitis,miasma,nidor,noxious stench,offensive odor,reek,reeking,rotten smell,stench,stench of decay,stink 1684 - bad character,bad name,bad odor,bad report,bad reputation,bad repute,disapprobation,discredit,disesteem,disfavor,dishonor,evil repute,ill fame,ill repute,ill-favor,poor reputation,public dishonor,shady reputation,unsavory reputation 1685 - bad debt,accounts payable,accounts receivable,amount due,bad debts,bill,bills,borrowing,charges,chits,debt,default,defection,delinquence,delinquency,dishonor,dishonoring,due,dues,financial commitment,floating debt,funded debt,indebtedness,indebtment,liability,maturity,national debt,nondischarge of debts,nonpayment,nonremittal,obligation,outstanding debt,pledge,protest,protested bill,public debt,repudiation,score,uncollectible,uncollectibles,unfulfilled pledge 1686 - bad faith,Machiavellianism,Punic faith,ambidexterity,artifice,barratry,breach,breach of contract,breach of faith,breach of privilege,breach of promise,breach of trust,breaking,contravention,cunning,deceitfulness,dereliction,disaffection,dishonesty,disloyalty,double-dealing,doubleness,doubleness of heart,duplicity,faithlessness,falseheartedness,falseness,falsity,fickleness,improbity,inconstancy,infidelity,infraction,infringement,low cunning,mala fides,offense,recreancy,transgression,treachery,trespass,trothlessness,two-facedness,unfaith,unfaithfulness,unloyalty,unsteadfastness,untrueness,violation,wile 1687 - bad guy,Roscius,actor,actress,antagonist,barnstormer,character,character actor,character man,character woman,child actor,diseur,diseuse,dramatizer,feeder,foil,heavy,histrio,histrion,ingenue,juvenile,matinee idol,mime,mimer,mimic,monologist,mummer,pantomime,pantomimist,playactor,player,protean actor,reciter,soubrette,stage performer,stage player,stooge,straight man,stroller,strolling player,theatrical,thespian,trouper,utility man,villain 1688 - bad habit,automatism,besetting sin,characteristic,creature of habit,custom,failing,failure,fault,flaw,foible,force of habit,frailty,habit,habit pattern,habitude,imperfection,infirmity,moral flaw,pattern,peculiarity,practice,praxis,second nature,stereotype,stereotyped behavior,trick,usage,use,vice,way,weak point,weak side,weakness,wont 1689 - bad influence,Jonah,Rasputin,Svengali,VIP,access,big wheel,court,curse,eminence grise,enchantment,evil eye,evil genius,evil star,five-percenter,friend at court,good influence,gray eminence,heavyweight,hex,hidden hand,hoodoo,ill wind,influence,influence peddler,influencer,ingroup,jinx,key,kingmaker,lobby,lobbyist,lords of creation,malevolent influence,malocchio,man of influence,manipulator,open sesame,powers that be,pressure group,sinister influence,special interests,special-interest group,spell,the Establishment,very important person,voodoo,whammy,wheeler-dealer,wire-puller 1690 - bad job,bevue,blunder,bobble,boggle,bonehead play,boner,boo-boo,botch,bungle,bungling,clumsy performance,error,etourderie,flub,fluff,foozle,fumble,gaucherie,haphazardness,hash,loose ends,mess,messiness,miscue,mistake,muff,off day,sad work,slapdash,slip,slipshoddiness,slipshodness,sloppiness,slovenliness,slovenly performance,slovenry,sluttishness,stumble,trip,untidiness 1691 - bad language,billingsgate,blue language,colorful language,cursing,cussing,dirty language,dirty talk,dysphemism,evil speaking,filth,filthy language,foul language,obscenity,profane swearing,profanity,ribaldry,scatology,strong language,swearing,unparliamentary language,unrepeatable expressions,vile language,vulgar language 1692 - bad lot,backslider,bad egg,black sheep,blighter,degenerate,fallen angel,good-for-nothing,lecher,lost sheep,lost soul,lowlife,miscreant,mucker,no-good,pervert,pimp,profligate,recidivist,recreant,reprobate,rounder,scapegrace,sorry lot,trollop,waster,whore,worm 1693 - bad name,bad character,bad odor,bad report,bad reputation,bad repute,disapprobation,discredit,disesteem,disfavor,dishonor,evil repute,ill fame,ill repute,ill-favor,poor reputation,public dishonor,shady reputation,unsavory reputation 1694 - bad news,aggravation,annoyance,bad child,bad example,bad man,bad person,bad woman,bedevilment,bore,bother,botheration,bothersomeness,crashing bore,devilment,difficulty,disreputable,disreputable person,dogging,downer,drag,evangel,exasperation,glad tidings,good news,good word,gospel,harassment,harrying,headache,hounding,molestation,nuisance,objectionable person,persecution,persona non grata,pest,problem,trial,trouble,unacceptable person,undesirable,unworthy,vexation,vexatiousness,worriment,worry 1695 - bad notices,adverse criticism,animadversion,aspersion,bad press,captiousness,carping,cavil,caviling,censoriousness,criticism,exception,faultfinding,flak,hairsplitting,hit,home thrust,hostile criticism,hypercriticalness,hypercriticism,imputation,knock,nagging,niggle,niggling,nit,nit-picking,obloquy,overcriticalness,pestering,pettifogging,priggishness,quibble,quibbling,rap,reflection,reproachfulness,slam,stricture,swipe,taking exception,trichoschistism 1696 - bad person,criminal,crook,deceiver,delinquent,evildoer,felon,gangster,lawbreaker,malefactor,malevolent,malfeasant,malfeasor,misfeasor,mobster,outlaw,public enemy,racketeer,sinner,thief,transgressor,villain,worker of ill,wrongdoer 1697 - bad press,adverse criticism,animadversion,aspersion,bad notices,captiousness,carping,cavil,caviling,censoriousness,criticism,exception,faultfinding,flak,hairsplitting,hit,home thrust,hostile criticism,hypercriticalness,hypercriticism,imputation,knock,nagging,niggle,niggling,nit,nit-picking,obloquy,overcriticalness,pestering,pettifogging,priggishness,quibble,quibbling,rap,reflection,reproachfulness,slam,stricture,swipe,taking exception,trichoschistism 1698 - bad taste,Babbittry,Gothicism,barbarism,barbarousness,bombasticness,bourgeois taste,cacology,cacophony,camp,campiness,clumsiness,coarseness,crudeness,cumbrousness,dysphemism,gracelessness,grossness,harshness,heaviness,high camp,ill-balanced sentences,impropriety,impurity,inappropriateness,inconcinnity,incorrectness,indecency,indecorousness,indecorum,indelicacy,inelegance,inelegancy,infelicity,kitsch,lack of finish,lack of polish,leadenness,low camp,philistinism,pompousness,ponderousness,poor diction,poor taste,pop,pop culture,roughness,rudeness,sesquipedalianism,sesquipedality,slipshod construction,stiltedness,tastelessness,turgidity,unaestheticism,unaestheticness,unbecomingness,uncouthness,uneuphoniousness,unfittingness,ungracefulness,unrefinement,unseemliness,unsuitability,unsuitableness,unwieldiness,vulgar taste,vulgarism,vulgarity,vulgarness 1699 - bad temper,Irish,anger,asperity,bad blood,bad humor,bad will,bile,biliousness,blighting glance,causticity,choler,corrosiveness,dander,discontent,evil disposition,evil eye,gall,ill humor,ill nature,ill temper,ill will,ill-disposedness,malevolence,malocchio,sourness,spleen,temper,whammy 1700 - bad,OK,abhorrent,abominable,abomination,ace-high,ailing,alarming,amiss,apocalyptic,arrant,atrocious,atrocity,bad for,bad-smelling,badly,baleful,bane,baneful,bang-up,barfy,base,befoulment,below par,black,blamable,blameworthy,blight,blue,bodeful,boding,bonzer,boss,brackish,bully,bum,but good,cankered,careless,carious,castrated,cloying,contaminated,cool,corking,corrupt,corruption,crackerjack,crappy,crestfallen,criminal,crippled,critical,critically ill,crying evil,damage,damaging,damnable,dandy,dangerous,dangersome,dark,decayed,decomposed,defective,deficient,defilement,dejected,deleterious,delicious,depressed,despaired of,despoliation,destruction,detriment,detrimental,dire,disabled,disagreeable,disconsolate,diseased,disgrace,disgraceful,disgusting,disordered,disorderly,dispirited,displeasing,disruptive,dissatisfactory,distasteful,distressing,done for,doomful,down,downhearted,dreary,ducky,dying,emasculated,error,evil,evil-starred,evilly,execrable,expiring,explosive,fab,facing death,faint,faintish,fateful,fecal,feeling awful,feeling faint,feeling something terrible,festering,fetid,fine and dandy,flagitious,flagrant,foreboding,foul,fraught with danger,froward,frowsty,frowy,frowzy,fulsome,funky,fusty,futile,game,gamy,gangrened,gangrenous,gear,given up,gloomy,going,gone bad,graceless,graveolent,great,grievance,groovy,halt,halting,hamstrung,handicapped,harm,harmful,hateful,havoc,heavy,heinous,high,hobbling,hopeless,hot,hunky-dory,hurt,hurtful,icky,ill,ill-advised,ill-behaved,ill-boding,ill-considered,ill-fated,ill-omened,ill-smelling,ill-starred,ill-suited,ill-timed,immoral,impolitic,improper,in articulo mortis,in danger,in extremis,inaccurate,inadequate,inadmissible,inadvisable,inappropriate,inapt,inauspicious,incapable of life,incapacitated,incongruous,indecorous,indisposed,inept,inexpedient,infamous,infamy,infected,infection,infelicitous,inferior,iniquitous,iniquity,injurious,injury,inopportune,insalubrious,insanitary,insufferable,intolerable,invalid,jam-up,jeopardous,just dandy,keen,knavery,knavish,laid low,lame,limping,loathsome,lousy,low,lowering,maggoty,maimed,mal a propos,malapropos,malevolent,malodorous,marvy,mawkish,mean,menacing,mephitic,miasmal,miasmic,mildewed,mildewy,misbehaving,mischief,mischievous,miserable,moldy,monstrous,morbid,morbific,moribund,mortally ill,mortified,moth-eaten,musty,nasty,naughty,nauseant,nauseating,nauseous,near death,neat,necrosed,necrotic,nefarious,nidorous,nifty,nobby,noisome,nonviable,not quite right,not respectable,noxious,null and void,objectionable,obliquity,obnoxious,odorous,of evil portent,off,off-base,off-color,offensive,okay,olid,ominous,out of place,out of sight,out of sorts,out-of-line,outrage,overripe,parlous,pathogenic,pathological,paw,peachy,peachy-keen,peccancy,peccant,periculous,perilous,perverse,pestiferous,poison,poisoned,poisonous,polluted,pollution,poor,portending,portentous,punk,putrefied,putrescent,putrid,rancid,rank,reasty,reasy,rebarbative,reechy,reeking,reeky,reprehensible,reprobacy,reprobate,repulsive,ripping,rocky,rotten,rotting,rough,rowdy,rowdyish,ruffianly,rum,scandal,scandalous,scrumptious,seedy,septic,serious,shame,shameful,sick,sick unto death,sickening,sickish,sin,sinful,sinister,sinking,slap-up,slipping,slipping away,slipshod,smashing,smellful,smelling,smelly,solid,somber,something else,sour,spavined,sphacelated,spiffing,spiffy,spoiled,stale,stenchy,sticky,stinking,strong,stuffy,stunning,sulfurous,suppurating,suppurative,swell,tainted,taken ill,terminal,thankless,the worst,threatening,tough,toxin,turned,ugly,ulcerated,ulcerous,unacceptable,unbefitting,unbehaving,under the weather,undesirable,uneasy,unfavorable,unfit,unfitting,unforgivable,unfortunate,ungracious,ungrateful,unhandsome,unhappy,unhealthful,unhealthy,unhygienic,unkind,unlucky,unmeet,unpardonable,unpleasant,unprofitable,unpromising,unpropitious,unruly,unsanitary,unsatisfactory,unseasonable,unseemly,unskillful,unsound,unspeakable,unsuitable,untimely,untoward,unwell,unwholesome,unwise,unworthy,venom,vexation,vicious,vile,villainous,villainy,void,vomity,weevily,wicked,wizard,woe,woebegone,worm-eaten,wretched,wrong,wrongly,yucky 1701 - badge,Hershey bar,ID card,accolade,armory,aroma,attribute,aviation badge,award,badge of office,badges,banner,bar,baton,bays,blazonry,brand,brassard,button,cachet,calligram,calling card,cap and gown,card,cast,chain,chain of office,character,characteristic,chevron,chicken,class ring,cockade,collar,configuration,countermark,countersign,credentials,cross,cut,decoration,device,differentia,differential,distinction,distinctive feature,dog tag,dress,eagle,earmark,emblem,emblems,ensigns,epaulet,fasces,feature,figure,figurehead,flavor,fleur-de-lis,gust,hallmark,hammer and sickle,hash mark,heraldry,identification,identification badge,identification tag,idiocrasy,idiosyncrasy,image,impress,impression,index,indicant,indicator,individualism,initials,insignia,insignia of branch,keynote,kudos,lapel pin,laurels,letter of introduction,lineaments,livery,mace,mannerism,mantle,mark,marking,markings,measure,medal,mold,monogram,mortarboard,nature,note,oak leaf,odor,old school tie,organization insignia,overseas bar,parachute badge,particularity,patch,peculiarity,picture,pin,pip,press card,property,quality,quirk,regalia,representation,representative,ring,rose,savor,school ring,seal,serial number,service stripe,shamrock,shape,shoulder patch,shoulder sleeve insignia,sigil,sigillography,sign,signal,signature,singularity,skull and crossbones,smack,specialty,sphragistics,spread eagle,staff,stamp,star,stripe,submarine badge,sure sign,swastika,symptom,taint,tang,tartan,taste,telltale sign,tessera,thistle,tie,token,trait,trick,uniform,verge,visiting card,wand 1702 - badger,aggravate,annoy,bait,be at,bedevil,beset,blackmail,bother,bristle,brown off,bug,bullyrag,burn up,chivy,devil,discompose,distemper,disturb,dog,exact,exasperate,exercise,extort,fash,force from,get,gripe,harass,harry,heckle,hector,hound,irk,levy blackmail,miff,molest,nag,needle,nettle,nudzh,peeve,persecute,pester,pick on,pique,plague,pluck the beard,pother,provoke,pry loose from,rend,rend from,ride,rile,rip,rip from,roil,ruffle,screw,shake down,snatch from,squeeze,tear from,tease,torment,try the patience,tweak the nose,vex,worry,wrench,wrench from,wrest,wring,wring from 1703 - badgered,baited,bedeviled,beset,bugged,bullyragged,chivied,deviled,dogged,harassed,harried,heckled,hectored,hounded,needled,nipped at,persecuted,pestered,picked on,plagued,ragged,teased,tormented,worried 1704 - badinage,backchat,banter,chaff,chaffing,exchange,fooling,fooling around,give-and-take,good-natured banter,harmless teasing,jape,jest,jive,joke,josh,joshing,kidding,kidding around,persiflage,pleasantry,raillery,rallying,repartee,ridicule,sport,twit 1705 - badly off,depressed,dire,distressed,donsie,doomful,down to bedrock,embarrassed,evil-starred,fatal,feeling the pinch,fortuneless,funest,hapless,hard up,ill off,ill-starred,impecunious,in Queer Street,in adverse circumstances,in narrow circumstances,in reduced circumstances,in straitened circumstances,inauspicious,land-poor,luckless,narrow,ominous,on the edge,out of luck,out of pocket,pinched,planet-struck,poor,poorly off,reduced,sad,short,short of cash,short of funds,short of luck,short of money,squeezed,star-crossed,straitened,strapped,unblessed,underprivileged,unfortunate,unhappy,unlucky,unmoneyed,unprosperous,unprovidential 1706 - badly,afield,amiss,astray,atrociously,awfully,awry,carelessly,critically,cruelly,damagingly,dangerously,defectively,deficiently,distressfully,dreadfully,emotionally,erroneously,faultily,gravely,greatly,grievously,hard,hardly,harshly,horribly,improperly,inaccurately,inadequately,inartistically,incorrectly,ineptly,insufficiently,mischievously,painfully,poorly,roughly,seriously,severely,shamefully,shoddily,unacceptably,unfavorably,unfortunately,unkindly,unluckily,unsatisfactorily,unspeakably,unsuccessfully,very much,viciously,vigorously,villainously,wickedly,wretchedly,wrong 1707 - baffle,addle,amaze,babble,bafflement,balk,ball up,bamboozle,be Greek to,be beyond one,be too deep,beat,beat one,befuddle,bewilderment,bilk,blast,boggle,bother,brave,buffalo,cast down,challenge,checkmate,circumvent,confound,confoundment,confront,confuse,confusion,contravene,counter,counteract,countermand,counterwork,cross,cushion,damp,dampen,dash,daze,deaden,deafen,defeat,defeat expectation,defy,destroy,dilemma,disappoint,discomfit,discomposure,disconcert,disconcertedness,disconcertion,disconcertment,discountenance,dish,disillusion,disrupt,dissatisfy,disturbance,dull,dumbfound,elude,embarrass,embarrassment,enigma,escape one,faze,fix,floor,flummox,fog,foil,frustrate,fuddle,get,gibber,jam,keep in suspense,knock the chocks,let down,lick,lose one,maze,mix up,muddle,muffle,mute,mystery,mystify,need explanation,nonplus,not make sense,not penetrate,pass comprehension,perplex,perplexity,perturbation,pickle,plight,pother,predicament,problem,puzzle,puzzlement,quandary,rattle,riddle,ruin,sabotage,scotch,scrape,soft-pedal,soften,speak in tongues,spike,spoil,stew,stick,stonewall,stop,stump,subdue,talk double Dutch,tantalize,tease,throw,thwart,tone down,unassuredness,upset 1708 - baffled,addled,at a loss,at a nonplus,at a stand,at a standstill,at an impasse,balked,bamboozled,beat,betrayed,bewildered,bilked,blasted,blighted,buffaloed,chapfallen,confounded,crestfallen,crossed,crushed,dashed,dazed,defeated,disappointed,dished,disillusioned,dissatisfied,floored,foiled,frustrated,fuddled,ill done-by,ill-served,in a dilemma,in suspense,let down,licked,muddled,mystified,nonplussed,on tenterhooks,out of countenance,perplexed,puzzled,regretful,sorely disappointed,soured,stuck,stumped,thrown,thwarted 1709 - bafflement,baffle,balk,balking,betrayed hope,bewilderment,blasted expectation,blighted hope,blow,bother,buffet,check,checkmate,comedown,confounding,confoundment,confusion,cruel disappointment,dash,dashed hope,defeat,dilemma,disappointment,discomfiture,discomposure,disconcert,disconcertedness,disconcertion,disconcertment,disillusionment,dissatisfaction,disturbance,embarrassment,enigma,failure,fallen countenance,fiasco,fix,fizzle,foil,foiling,forlorn hope,frustration,hope deferred,jam,letdown,mirage,mystery,nonplus,perplexity,perturbation,pickle,plight,pother,predicament,problem,puzzle,puzzlement,quandary,rebuff,repulse,reversal,reverse,riddle,rout,scrape,setback,sore disappointment,stew,tantalization,tease,thwarting,unassuredness,upset 1710 - baffling,bewildering,bothering,confounding,confusing,defeating,discomposing,disconcerting,dismaying,distracting,disturbing,embarrassing,enigmatic,frustrating,intricate,mysterious,mystifying,perplexing,perturbing,problematic,puzzling,upsetting 1711 - bag,IUD,abstract,acquire,activities,activity,affair,affairs,affinity,and,annex,appropriate,area,baboon,ballocks,balloon,balls,bang,barrel,basket,bat,be seized of,beard,beldam,belly,belly out,bent,bias,biddy,bilge,billfold,billow,bindle,birth control device,bladder,blemish,blot,boobs,boost,booster,booster dose,booster shot,booty,borrow,bosom,bottle,bouge,box,box up,breast,breasts,brisket,budget,bug,bulge,bundle,burden,business,bust,can,capsule,capture,carton,cascade,case,cask,catch,cervix,chest,chosen kind,clench,clitoris,cod,cods,collar,come by,come in for,come into,commerce,concern,concernment,condom,contraceptive,contraceptive foam,contract,cop,corral,crate,crib,crone,crop,cullions,cup of tea,daggle,dangle,deck,defraud,depend,derive,diaphragm,dilate,distend,dog,dose,drab,drabble,draft,drag,drag down,draggle,drape,draw,droop,dropping,drug packet,druthers,dug,earn,embezzle,employ,employment,encase,encyst,enmesh,ensnare,entangle,enter into possession,enterprise,entrap,evening bag,extort,eyesore,fall,family jewels,fancy,favor,female organs,field,filch,fill,fix,flap,flop,flow,fob,forte,foul,freight,fright,function,gain,gargoyle,genitalia,genitals,get,glom,goggle,golf bag,gonads,gunny,gunny sack,hag,hamper,handbag,hang,hang down,harpoon,harridan,harvest,haul,heap,heap up,hit,hook,inclination,injection,interest,intrauterine device,jar,knockers,labia,labia majora,labia minora,labor,lade,land,lasso,leaning,lift,line,lingam,lips,load,long suit,lookout,lop,main interest,mainlining,make,make off with,male organs,mama,mamelon,mamelonation,mammary gland,mammilla,mammillation,manner,mass,matter,meat,mesh,mess,metier,money belt,money clip,monster,monstrosity,nab,nail,narcotic shot,nenes,net,nip,nipple,no beauty,nod,noose,nose bag,nuts,nymphae,obtain,occupation,oral contraceptive,ovary,overdose,pack,pack away,package,palm,pap,papilla,parcel,partiality,particular choice,pend,penis,personal choice,pessary,pet subject,phallus,pigeon breast,pile,pilfer,pinch,poach,pocket,pocketbook,poke,pooch,pop,popping,porte-monnaie,portion,pot,potion,pouch,pout,predilection,predisposition,preference,prehend,prejudice,prepossession,private parts,privates,privy parts,proclivity,procure,prophylactic,pubic hair,pudenda,pull down,purloin,purse,purse strings,pursuit,reap,reproductive organs,reticule,rocks,rope,round out,rubber,run away with,rustle,sac,sack,saddlebag,sag,scarecrow,scoop,score,scrip,scrotum,scrounge,secondary sex characteristic,secure,seizure,service,sex organs,ship,shoplift,shot,sight,skin,skin-popping,sleeping bag,snag,snare,snatch,sniggle,snitch,spear,specialism,speciality,specialization,specialty,spermary,spermicidal jelly,spermicide,stack,steal,store,stow,strong point,style,swag,swell,swell out,swindle,swing,swipe,take,tangle,tangle up with,tank,taste,teat,technicality,tendency,teratism,testes,testicles,the pill,thieve,thing,thorax,tin,tit,tits,titties,titty,tobacco pouch,trail,trap,trot,type,udder,ugly duckling,undertaking,uterus,vagina,vocation,vulva,walk off with,wallet,way,weakness,weep,win,witch,womb,work,yoni 1712 - bagatelle,a continental,a curse,a damn,a darn,a hoot,bauble,bean,bibelot,bit,brass farthing,button,cent,curio,farce,farthing,feather,fig,fleabite,folderol,fribble,frippery,gaud,gewgaw,gimcrack,hair,halfpenny,hardly anything,hill of beans,jest,joke,kickshaw,knickknack,knickknackery,mere nothing,minikin,mockery,molehill,next to nothing,peppercorn,picayune,pin,pinch of snuff,pinprick,rap,red cent,row of pins,rush,shit,snap,sneeshing,sou,straw,toy,trifle,trinket,triviality,tuppence,two cents,twopence,whim-wham 1713 - bagel,Danish,Danish pastry,English muffin,Parker House roll,Yorkshire pudding,bialy,bialystoker,bun,clover-leaf roll,coffee cake,crescent roll,croissant,cross bun,crumpet,gem,hard roll,hot cross bun,kaiser roll,muffin,onion roll,pinwheel roll,popover,roll,scone,soft roll 1714 - baggage,Gladstone,Jezebel,apparatus,attache case,backpack,bad woman,bag,bag and baggage,bandbox,bitch,briefcase,broad,cargo,carpetbag,carryall,chippy,clitoromaniac,cocotte,consignment,ditty bag,drab,duffel,duffel bag,dunnage,easy lay,easy woman,flight bag,floozy,footlocker,frail sister,freight,freightage,gear,goods,grip,grisette,handbag,harridan,haversack,holdall,hussy,hysteromaniac,impedimenta,jade,kit,kit bag,knapsack,lading,load,loose woman,luggage,nymphet,nympho,nymphomaniac,outfit,overnight bag,pack,payload,pickup,portmanteau,quean,rucksack,satchel,sea bag,shipment,slattern,slut,strumpet,suitcase,tackle,tart,tote bag,tramp,traps,traveling bag,trollop,trull,trunk,uteromaniac,wanton,wench,whore 1715 - baggy,amorphic,amorphous,anarchic,bagging,ballooning,bellying,billowing,billowy,bloated,blobby,blurred,blurry,bosomy,bulbose,bulbous,bulging,bumped,bumpy,bunched,bunchy,chaotic,characterless,confused,dangling,disorderly,distended,drooping,droopy,easy,featureless,flapping,floppy,formless,fuzzy,hanging,hazy,hillocky,hummocky,inchoate,indecisive,indefinite,indeterminate,inform,kaleidoscopic,lax,limp,loose,lop,lop-eared,loppy,lumpen,misty,moutonnee,nodding,nondescript,obscure,orderless,pneumatic,potbellied,pouching,relaxed,rickety,rounded,sagging,sagging in folds,saggy,shaky,shapeless,slack,sloppy,streaming,swag,swelling,unclear,undefined,unordered,unorganized,vague,verrucated,verrucose,warty 1716 - bail bond,accident insurance,actuary,annuity,assurance,aviation insurance,bond,business life insurance,casualty insurance,certificate of insurance,court bond,credit insurance,credit life insurance,deductible,endowment insurance,family maintenance policy,fidelity bond,fidelity insurance,flood insurance,fraternal insurance,government insurance,health insurance,industrial life insurance,insurance,insurance agent,insurance broker,insurance company,insurance man,insurance policy,interinsurance,liability insurance,license bond,limited payment insurance,major medical insurance,malpractice insurance,marine insurance,mutual company,ocean marine insurance,permit bond,policy,robbery insurance,social security,stock company,term insurance,theft insurance,underwriter 1717 - bail out,abet,aid,arise,assist,avail,bear a hand,befriend,benefit,break away,break cover,break forth,break jail,break loose,burst forth,come,come forth,come out,comfort,cut loose,debouch,deliver,disembogue,do good,doctor,ease,effuse,emanate,emerge,erupt,escape,escape prison,evade,extract,extricate,extrude,favor,flee,fly the coop,free,get away,get clear of,get free,get out,get out of,give a boost,give a hand,give a lift,give help,help,issue,issue forth,jump,jump out,lend a hand,lend one aid,liberate,make a getaway,parachute,proffer aid,protect,protrude,rally,ransom,reclaim,recover,redeem,release,relieve,remedy,render assistance,rescue,restore,resuscitate,retrieve,revive,sally,sally forth,salvage,save,set free,set up,skip,sky-dive,slip the collar,succor,surface,take in tow 1718 - bail,arraignment,bond,bucket,charge,cup,decant,dip,dish,dish out,dish up,earnest,earnest money,escrow,fork,gage,guaranty,handsel,hock,hostage,impeachment,indictment,information,lade,ladle,mainprise,pawn,pignus,pledge,pour,presentment,recognizance,replevin,replevy,scoop,security,shovel,spade,spoon,surety,token payment,true bill,undertaking,vadimonium,vadium,warranty 1719 - bailiff,G-man,MC,MP,attorney,beadle,beagle,bound bailiff,butler,captain,catchpole,chief of police,commissioner,constable,croupier,curator,custodian,deputy,deputy sheriff,detective,emcee,factor,fed,federal,flic,gendarme,government man,guardian,housekeeper,inspector,landreeve,librarian,lictor,lieutenant,mace-bearer,majordomo,marshal,master of ceremonies,mounted policeman,narc,officer,patrolman,peace officer,police captain,police commissioner,police constable,police inspector,police matron,police officer,police sergeant,policeman,policewoman,portreeve,proctor,procurator,reeve,roundsman,seneschal,sergeant,sergeant at arms,sheriff,steward,superintendent,tipstaff,tipstaves,trooper 1720 - bailiwick,Kreis,ambit,archbishopric,archdiocese,arena,arrondissement,beat,bishopric,border,borderland,borough,bureau,canton,champaign,circle,circuit,city,commissariat,commune,congressional district,constablery,constablewick,constabulary,constituency,county,demesne,departement,department,diocese,district,domain,dominion,duchy,electoral district,electorate,field,footing,government,hamlet,hemisphere,hundred,judicial circuit,jurisdiction,magistracy,march,metropolis,metropolitan area,ministry,municipality,neighborhood,oblast,office,okrug,orb,orbit,pale,parish,place,precinct,principality,province,quarter,realm,region,riding,round,secretariat,sheriffalty,sheriffwick,shire,shrievalty,soke,sphere,sphere of influence,stake,stamping ground,state,terrain,territory,town,township,turf,vantage,village,walk,wapentake,ward 1721 - bairn,cherub,child,chit,darling,innocent,kid,kitten,lamb,lambkin,little bugger,little fellow,little guy,little innocent,little one,little tad,little tot,mite,nipper,offspring,peewee,shaver,tad,tot,wee tot 1722 - bait,aggravate,allure,allurement,annoy,badger,bait the hook,baited trap,be at,bedevil,beset,birdlime,bite,blandish,bola,bother,bribe,bristle,brown off,bug,bullyrag,burn up,cajole,carrot,charm,chivy,coax,cobweb,come-on,decoy,decoy duck,devil,discompose,distemper,disturb,dog,dragnet,draw,draw in,draw on,drawcard,drawing card,encouragement,endearment,ensnare,entice,enticement,entrap,exasperate,exercise,fash,fillip,fishhook,flirt,flirt with,fly,get,gill net,give the come-on,gripe,ground bait,harass,harry,haze,heckle,hector,hook,hound,incentive,incitement,inducement,interest,inveigh,inveigle,inveiglement,invitation,irk,jig,lariat,lasso,lead on,lime,lure,meshes,miff,molest,morsel,nag,needle,net,nettle,noose,nudzh,offer bait to,payment,peeve,percentage,persecute,persuasive,pester,pick on,piece,pique,plague,pluck the beard,plug,pother,pound net,profit,provocation,provoke,purse seine,push around,rag,reward,ride,rile,roil,rope in,ruffle,seduce,seducement,seine,snare,sniggle,spinner,springe,squid,stimulation,stimulative,stimulus,suck in,sweetener,sweetening,tease,tempt,temptation,toils,toll,torment,trap,trawl,try the patience,tweak the nose,vex,whet,wobbler,woo,worry 1723 - baited,badgered,bedeviled,beset,bugged,bullyragged,chivied,deviled,dogged,harassed,harried,heckled,hectored,hounded,needled,nipped at,persecuted,pestered,picked on,plagued,ragged,teased,tormented,worried 1724 - bake,air-dry,anhydrate,barbecue,baste,be in heat,blanch,blaze,bloom,blot,boil,braise,brew,broil,brown,brush,burn,choke,coddle,combust,cook,cure,curry,dehumidify,dehydrate,desiccate,devil,do,do to perfection,drain,dry,evaporate,exsiccate,fire,flame,flame up,flare,flare up,flicker,flush,fricassee,frizz,frizzle,fry,gasp,glaze,glow,griddle,grill,heat,incandesce,insolate,kiln,melt,mold,mummify,oven-bake,pan,pan-broil,pant,parboil,parch,poach,pot,prepare,prepare food,radiate heat,roast,rub,saute,scald,scallop,scorch,sear,seethe,shape,shimmer with heat,shirr,shrivel,simmer,smoke,smolder,smother,soak up,spark,sponge,steam,stew,stifle,stir-fry,suffocate,sun,sun-dry,swab,sweat,swelter,throw,toast,torrefy,towel,turn a pot,weazen,wipe,wither,wizen 1725 - baked,adust,boiled,braised,broiled,browned,burnt,coddled,cooked,corky,curried,dehydrated,desiccated,deviled,dried,dried-up,evaporated,exsiccated,fired,fricasseed,fried,grilled,heated,mummified,oven-baked,pan-broiled,parboiled,parched,poached,roast,roasted,sauteed,scalloped,scorched,sear,seared,sere,shirred,shriveled,steamed,stewed,sun-dried,sunbaked,toasted,weazened,wind-dried,withered,wizened 1726 - baker,bookdealer,bookseller,butcher,chandler,chef,chef de cuisine,chief cook,clothing merchant,confectioner,cook,culinarian,culinary artist,draper,drysalter,fishmonger,fishwife,florist,footwear merchant,fruiterer,fry cook,furnisher,furrier,greengrocer,grocer,groceryman,haberdasher,hardwareman,ironmonger,jeweler,kitchener,liquor merchant,newsdealer,pastry chef,pastrycook,perfumer,poulterer,saddler,short-order cook,stationer,tobacconist,vintner,wine merchant 1727 - bakery,appetizing store,bakehouse,bakeshop,bodega,butcher shop,caboose,camboose,cookery,cookhouse,cookroom,creamery,cuisine,dairy,deli,delicatessen,food shop,food store,fruit stand,galley,grocery,grocery store,groceteria,health food store,kitchen,kitchenette,meat market,pork store,scullery,superette,supermarket,vegetable store 1728 - baking,ardent,barbecuing,basting,blistering,boiling,braising,brewing,broil,broiling,burning,burning hot,canicular,catering,cookery,cooking,cuisine,culinary science,domestic science,ebullient,feverish,fiery,flushed,frying,grilling,heated,home economics,hot,hot as fire,hot as hell,like a furnace,like an oven,nutrition,overheated,overwarm,pan-broiling,parching,piping hot,poaching,red-hot,roasting,sauteing,scalding,scorching,searing,seething,shirring,simmering,sizzling,sizzling hot,smoking hot,steeping,stewing,sudorific,sweating,sweaty,sweltering,sweltry,toasting,torrid,white-hot 1729 - balance of power,Eisenhower Doctrine,Monroe Doctrine,Nixon Doctrine,Truman Doctrine,appeasement,ascendance,ascendancy,brinkmanship,coexistence,colonialism,compromise,containment,detente,deterrence,diplomacy,diplomatic,diplomatics,dollar diplomacy,dollar imperialism,dominance,dominancy,domination,dominion,eminent domain,expansionism,foreign affairs,foreign policy,good-neighbor policy,imperialism,internationalism,isolationism,manifest destiny,militarism,nationalism,neocolonialism,neutralism,nonresistance,open door,open-door policy,overlordship,peace offensive,peaceful coexistence,predominance,predominancy,predomination,preeminence,preparedness,preponderance,prepotence,prepotency,primacy,principality,shirt-sleeve diplomacy,shuttle diplomacy,sovereignty,spheres of influence,superiority,supremacy,suzerainship,suzerainty,the big stick,tough policy,upper hand,whip hand,world politics 1730 - balance of trade,big business,business,business dealings,commerce,commercial affairs,commercial relations,dealing,dealings,fair trade,free trade,industry,intercourse,market,marketing,mercantile business,merchantry,multilateral trade,reciprocal trade,restraint of trade,small business,the business world,the marketplace,trade,traffic,truck,unilateral trade 1731 - balance sheet,account book,accounts payable ledger,accounts receivable ledger,bank ledger,bankbook,books,card ledger,cashbook,cost card,cost ledger,cost sheet,daybook,factory ledger,inventory,journal,ledger,log,logbook,passbook,purchase ledger,record book,register,registry,sales journal,sales ledger,stock ledger,stores ledger,suspense ledger 1732 - balance,Swiss bank account,accommodate,accord,account,account current,account rendered,account stated,adjust,afterglow,afterimage,agree,amount to,analogize,analogousness,aplomb,arrangement,assess,assets,assimilate,assimilate to,assurance,atmosphere,atone for,attune,audit,authority,available means,average,back down,balance the books,balanced personality,ballast,bank account,be heavy,beauty,bilateral symmetry,bonus,book,bottom dollar,break even,bring into analogy,bring into comparison,brushwork,budget,butt,butt end,cancel,candle ends,capital,capital goods,capitalization,capitalize,carry,carry over,carry weight,cash account,cash reserves,cast up accounts,center,chaff,charge off,check,check out,checking account,close out,close the books,coequality,coextension,collectedness,color,come to,come up to,command,command of money,commensurability,common sense,communion,community,comparability,comparableness,comparativeness,compare,compare and contrast,compare with,compensate,compensate for,composition,composure,concinnity,confidence,conformity,confront,congruity,consider,consideration,consistency,constancy,contact with reality,contrast,control,control account,cool,cool head,coolheadedness,coolness,coolth,coordinate,corelation,correlation,correlativism,correlativity,correspond,correspondence,counteract,counterbalance,counterpoise,counterpose,countervail,counterweigh,counterweight,credit,damp,debate,debit,debris,deficit,deliberate,demonstrate,demur,design,detritus,difference,discrepancy,ditto,dividend,docket,double-check,draftsmanship,draw,draw a comparison,draw a parallel,due sense of,dynamic symmetry,end,enter,epact,equability,equal,equality,equalize,equanimity,equate,equation,equilibrium,equilibrize,equipoise,equipollence,equiponderance,equiponderate,equity,equivalence,equivalency,equivalent,estimate,euphony,eurythmics,eurythmy,evaluate,even,even off,even out,even up,evenness,excess,exchequer,extra,fag end,falter,fastness,fear,filings,finances,finish,firm,firm up,firmness,fit,flatten,footing,fossil,freeze,fund,funds,generality,give-and-take,golden mean,good sense,gratuity,grist,grouping,hang back,happy medium,harmonize,harmony,have weight,healthy mind,heel,heft,hem and haw,hesitate,hold,hold the scales,holdings,holdover,homeostasis,homogenize,horse sense,hover,hum and haw,husks,identity,immobilize,imperturbability,income account,integrate,invariability,inventory,inverse proportion,inverse ratio,inverse relationship,jib,journalize,juste-milieu,justice,keep,keep books,keep pace with,keeping,kitty,knot,lagniappe,leavings,leftover,leftovers,level,level head,levelheadedness,levelness,lie heavy,life savings,liken,liken to,likeness,line,liquid assets,log,lucid interval,lucidity,make an entry,make uniform,make up,make up for,makeweight,margin,match,match up with,mean,means,measure,measure against,measure up to,measuredness,median,mediocrity,medium,mental balance,mental equilibrium,mental health,mental hygiene,mental poise,metaphorize,middle,middle course,middle ground,middle point,middle position,middle state,middle-of-the-road,midpoint,minute,moneys,multilateral symmetry,mutuality,nail down,nerve,nest egg,net,norm,normal,normalcy,normality,normalize,normalness,note,odds and ends,offscourings,offset,oppose,order,orderedness,orts,outweigh,overage,overhaul,overmeasure,overplus,overrun,overset,overstock,oversupply,painterliness,par,parallel,parallelism,parings,parity,pause,pecuniary resources,perspective,pin down,place against,plain sense,plus,pocket,poise,polarity,ponder,pool,possession,post,post up,pourboire,practical mind,practical wisdom,practicality,preponderance,presence of mind,property,proportion,proportionability,proportionality,proportionate,prove,provision account,pull back,purse,quid pro quo,rags,ratio,rationality,reach,reason,reasonableness,reciprocality,reciprocation,reciprocity,reckoning,redeem,refuse,regularity,regularize,regulate,relate,relativity,reliability,relics,remainder,remains,remnant,repose,reserves,residual,residue,residuum,resource,resources,rest,restraint,retain,retreat,revenue account,rhythm,right mind,rival,roach,rootedness,rubbish,ruins,rule,rump,run,run a comparison,run abreast,run to,running account,sales account,sameness,sanemindedness,saneness,sang-froid,sangfroid,sanity,savings,savings account,sawdust,scales,score,scourings,scraps,scruple,secureness,security,self-assurance,self-command,self-confidence,self-control,self-possession,self-restraint,selling account,sense,senses,sensibleness,set in contrast,set in opposition,set off,set off against,set over against,setoff,shading,shadow,shapeliness,shavings,shilly-shally,shy,similarity,similize,smooth,sober senses,sober-mindedness,soberness,sobriety,solidity,something extra,something of value,sound mind,soundness,soundness of mind,spare,square,square up,stabilitate,stability,stabilize,stable state,stack up with,stagnancy,stagnation,standardize,stasis,steadfastness,steadiness,steady,steady nerves,steady state,stereotype,stick,stick at,stickle,stock account,stop to consider,straddle the fence,strain at,straw,strike a balance,stubble,stump,substance,substantiality,supply,surplus,surplusage,survival,suspense account,sweepings,sweetness,symmetricalness,symmetrize,symmetry,take stock,tally,technique,think twice about,tie,tip,tip the scales,tit for tat,tone,touch,trace,transfix,treasure,treatment,trilateral symmetry,tune,undeflectability,uniformity,uniformize,unregistered bank account,unshakable nerves,unshakableness,valuation account,values,verify,vestige,via media,view together,waste,weigh,weigh against,weigh heavy,weigh in,weigh out,weight,well-regulated mind,wherewithal,wholesomeness,withdraw,yield 1733 - balanced,accordant,alike,all there,apoise,assured,automatic,clearheaded,clearminded,coequal,collected,commonsense,compos mentis,composed,concinnate,concinnous,confident,consistent,consonant,constant,continuous,cool,coolheaded,coordinate,correspondent,defensible,deserved,due,equable,equal,equanimous,equibalanced,equilateral,equilibrious,equiponderant,equiponderous,equitable,euphonic,euphonical,euphonious,eurythmic,even,evenhanded,fair,fair and square,fast,fiducial,finished,firm,firm as Gibraltar,fit,flat,flowing,fluent,good,harmonious,healthy-minded,homogeneous,immutable,imperturbable,in equilibrium,invariable,just,justifiable,justified,lawful,legal,level,levelheaded,logical,lucid,measured,mechanical,meet,meet and right,mentally sound,merited,methodic,monolithic,normal,of a piece,of sound mind,ordered,orderly,persistent,philosophical,poised,practical,pragmatic,predictable,proper,proportioned,rational,reasonable,recollected,regular,reliable,right,right and proper,rightful,robotlike,sane,sane-minded,secure,self-assured,self-confident,self-controlled,self-possessed,self-restrained,sensible,smooth,smooth-sounding,sober,sober-minded,solid,sound,sound-minded,square,stable,steadfast,steady,substantial,sweet,symmetric,symmetrical,systematic,together,tripping,unbroken,unchangeable,unchanged,unchanging,undeviating,undifferentiated,undiversified,unflappable,unflinching,uniform,unruffled,unshakable,unvaried,unvarying,unwavering,warrantable,warranted,well-balanced,well-set,well-set-up,wholesome,without nerves 1734 - balancing,adversative,adverse,adversive,allegory,amendatory,amends,analogy,antagonistic,anti,antipathetic,antithetic,antonymous,at cross-purposes,atonement,clashing,commutation,comparative anatomy,comparative degree,comparative grammar,comparative judgment,comparative linguistics,comparative literature,comparative method,compare,comparing,comparison,compensating,compensation,compensatory,conflicting,confrontation,confronting,confrontment,contradictory,contradistinct,contrapositive,contrarious,contrary,contrast,contrasted,contrastiveness,converse,coordination,correlation,counter,counteracting,counteraction,counteractive,counterbalancing,counterpoised,countervailing,dead against,discordant,discrepant,distinction,distinctiveness,equalization,evening,expiation,expiatory,eyeball to eyeball,harmonization,hostile,inconsistent,indemnification,indemnificatory,indemnity,inimical,integration,inverse,lex talionis,likening,matching,metaphor,obverse,offsetting,opposed,opposing,opposite,opposition,oppositional,oppositive,oppugnant,parallelism,penitential,perverse,proportion,recompense,recompensive,rectification,rectifying,redress,regularization,relation,reparation,reparative,repayment,repugnant,restitution,retaliation,retaliatory,revenge,reverse,satisfaction,simile,similitude,squared off,substitution,symmetrization,trope of comparison,weigh-in,weighing,weighing-in,weighing-out 1735 - balcony,auditorium,box,box seat,catafalque,dais,dress circle,emplacement,estrade,fauteuil,floor,gallery,heliport,hustings,landing,landing pad,landing stage,launching pad,loge,nigger heaven,orchestra,orchestra circle,paradise,parquet,parquet circle,parterre,peanut gallery,pit,platform,podium,proscenium boxes,pulpit,rostrum,soapbox,stage,stall,standing room,step terrace,stump,terrace,theatre stall,tribunal,tribune 1736 - bald,Spartan,acomous,ascetic,austere,bald-headed,bare,bare-ass,beardless,blank,candid,clean-shaven,clear,cleared,clipped,colorless,common,commonplace,cropped,depilous,direct,disclosed,dry,dull,exposed,frank,free,glabrous,gymnosophical,hairless,homely,homespun,in native buff,in puris naturalibus,in the altogether,in the buff,in the raw,lackluster,lean,lifeless,lusterless,matter-of-fact,naked,natural,naturistic,neat,nude,nudist,open,open as day,open to all,overt,peeled,plain,plain-speaking,plain-spoken,polled,prosaic,prosing,prosy,pure,raw,revealed,rustic,severe,shaven,sheared,simple,simple-speaking,smooth,smooth-faced,smooth-shaven,sober,spare,stark,stark-naked,straightforward,tonsured,unadorned,unadulterated,unaffected,unarrayed,unclassified,unclogged,unclosed,uncolored,uncomplicated,uncovered,undecked,undecorated,undressed,unembellished,unfurbished,ungarnished,unhidden,unimaginative,unobstructed,unornamented,unpoetical,unrestricted,unsophisticated,unstopped,untrimmed,unvarnished,wide-open,with nothing on,without a stitch 1737 - Balder,Adonis,Aesir,Aphrodite,Apollo,Apollo Belvedere,Astarte,Bor,Bori,Bragi,Cleopatra,Donar,Forseti,Frey,Freya,Freyja,Freyr,Frigg,Frigga,Hebe,Heimdall,Hel,Hertha,Hoenir,Hyperion,Idun,Ing,Ithunn,Loki,Nanna,Narcissus,Nerthus,Njord,Njorth,Odin,Reimthursen,Sif,Sigyn,Thor,Tiu,Tyr,Ull,Ullr,Vali,Vanir,Venus,Venus de Milo,Vidar,Vitharr,Wayland,Weland,Woden,Wotan,Wyrd,houri,peri,the Graces 1738 - balderdash,absurdity,amphigory,babble,babblement,bibble-babble,bilge,blabber,blather,bombast,bombastry,bosh,bushwa,claptrap,double-talk,drivel,drool,eyewash,fiddle-faddle,fiddledeedee,flummery,folderol,fudge,fustian,gabble,galimatias,gammon,gibber,gibberish,gibble-gabble,gobbledygook,highfalutin,hocus-pocus,hot air,humbug,jabber,jargon,malarkey,mumbo jumbo,narrishkeit,niaiserie,nonsense,pack of nonsense,palaver,prate,prattle,rant,rigamarole,rigmarole,rodomontade,rot,rubbish,skimble-skamble,stuff and nonsense,stultiloquence,trash,trumpery,twaddle,twattle,twiddle-twaddle,vaporing,waffling 1739 - bale,aching heart,agony,agony of mind,anguish,bind up,bindle,bitterness,bleeding heart,bolt,bouquet,broken heart,budget,bundle,bundle up,burden,burdening,burthen,cargo,charge,charging,crushing,cumber,cumbrance,deadweight,deck,depression,depth of misery,desolation,despair,do up,drag,encumbrance,extremity,fagot,fardel,fasces,fascine,freight,grief,handicap,heartache,heavy heart,incubus,incumbency,infelicity,lading,load,loading,melancholia,melancholy,millstone,misery,nosegay,oppression,overload,overtaxing,overweighting,pack,package,packet,parcel,posy,pressure,prostration,quiver,roll,roll up,rouleau,saddling,sadness,sheaf,suicidal despair,superincumbency,surcharge,taxing,tie up,truss,truss up,woe,wrap,wrap up,wretchedness 1740 - balefire,Roman candle,aid to navigation,alarm,amber light,backfire,beacon,beacon fire,bell,bell buoy,blaze,blinker,blue peter,bonfire,buoy,burning ghat,campfire,caution light,cheerful fire,combustion,conflagration,corposant,cozy fire,crackling fire,crematory,death fire,fen fire,fire,flame,flare,flashing point,flicker,flickering flame,fog bell,fog signal,fog whistle,foghorn,forest fire,fox fire,funeral,funeral pyre,glance,go light,gong buoy,green light,heliograph,high sign,ignis fatuus,ignition,ingle,international alphabet flag,international numeral pennant,kick,lambent flame,leer,marker beacon,marshfire,nod,nudge,open fire,parachute flare,pilot flag,poke,police whistle,prairie fire,pyre,quarantine flag,radio beacon,raging fire,red flag,red light,rocket,sailing aid,sea of flames,semaphore,semaphore flag,semaphore telegraph,sheet of fire,sign,signal,signal beacon,signal bell,signal fire,signal flag,signal gong,signal gun,signal lamp,signal light,signal mast,signal post,signal rocket,signal shot,signal siren,signal tower,smudge fire,spar buoy,stop light,the nod,the wink,three-alarm fire,touch,traffic light,traffic signal,two-alarm fire,watch fire,white flag,wigwag,wigwag flag,wildfire,wink,witch fire,yellow flag 1741 - baleful,apocalyptic,bad,baneful,bitchy,black,bodeful,boding,corroding,corrosive,corrupting,corruptive,counterproductive,cussed,damaging,dark,deadly,deleterious,detrimental,dire,direful,disadvantageous,disserviceable,distressing,doomful,dreary,evil,evil-starred,fateful,foreboding,gloomy,harmful,hateful,hurtful,ill,ill-boding,ill-fated,ill-omened,ill-starred,inauspicious,iniquitous,injurious,invidious,lethal,lowering,malefic,maleficent,malevolent,malicious,malign,malignant,mean,menacing,mischievous,nasty,noisome,noxious,of evil portent,ominous,ornery,pernicious,poisonous,portending,portentous,prejudicial,scatheful,sinister,somber,threatening,toxic,unfavorable,unfortunate,unlucky,unpromising,unpropitious,untoward,venenate,veneniferous,venenous,venomous,vicious,virulent,wicked 1742 - balk,baffle,bafflement,balk at,balking,be unwilling,beam,beat,begrudge,betrayed hope,bevue,bilk,blast,blasted expectation,blighted hope,blow,boggle,brave,buffet,cast down,challenge,check,checkmate,circumvent,comedown,confound,confounding,confront,confusion,contravene,counter,counteract,countermand,counterwork,cross,cruel disappointment,dash,dashed hope,decline,defeat,defeat expectation,defy,destroy,die hard,disappoint,disappointment,discomfit,discomfiture,disconcert,disconcertion,discountenance,dish,disillusion,disillusionment,disrupt,dissatisfaction,dissatisfy,elude,failure,fallen countenance,false move,false step,fiasco,fizzle,flinch,flummox,foil,foiling,forlorn hope,frustrate,frustration,gag,grudge,hang back,hold out,hope deferred,inadvertence,inadvertency,jib,knock the chocks,lapse,lapsus calami,lapsus linguae,let down,letdown,loose thread,mind,mirage,miscue,misstep,nonplus,not budge,not care to,not feel like,object to,omission,oversight,perplex,persevere,quail,rebuff,recoil,refuse,repulse,reversal,reverse,rout,ruin,sabotage,scotch,scruple,setback,shrink,shy,slip,slipup,sore disappointment,spike,spoil,stand out,stand pat,stick,stickle,stonewall,strain,stumble,stump,take no denial,tantalization,tantalize,tease,thwart,thwarting,trip,turn down,upset,would rather not,wrong step 1743 - balked,baffled,betrayed,bilked,blasted,blighted,chapfallen,crestfallen,crossed,crushed,dashed,defeated,disappointed,dished,disillusioned,dissatisfied,foiled,frustrated,ill done-by,ill-served,let down,out of countenance,regretful,sorely disappointed,soured,thwarted 1744 - ball of fire,activist,beaver,big-time operator,bustler,busy bee,doer,eager beaver,enthusiast,go-getter,human dynamo,hustler,live wire,man of action,man of deeds,militant,new broom,operator,political activist,powerhouse,take-charge guy,wheeler-dealer,winner 1745 - ball the jack,barrel,boom,bowl along,breeze,breeze along,brush,clip,cut along,fleet,flit,fly,fly low,foot,go fast,highball,make knots,nip,outstrip the wind,pour it on,rip,scorch,sizzle,skim,speed,storm along,sweep,tear,tear along,thunder along,whisk,whiz,zing,zip,zoom 1746 - ball up,addle,addle the wits,becloud,bedazzle,befuddle,bewilder,bollix,bollix up,bother,bug,bugger,bugger up,cloud,complicate,confound,confuse,cook,daze,dazzle,discombobulate,discomfit,discompose,disconcert,disorganize,disorient,distract,disturb,embarrass,embrangle,entangle,flummox,flurry,fluster,flutter,fog,foul up,fuddle,fumble,fuss,garble,gum up,hash up,implicate,involve,jumble,knot,louse up,maze,mess up,mist,mix up,moider,muck up,muddle,perplex,perturb,pi,play hell with,play hob with,pother,put out,queer,raise hell,ramify,rattle,ravel,riffle,ruffle,scramble,screw up,shuffle,sink,snafu,snarl,snarl up,tangle,throw into confusion,throw off,tumble,unsettle,upset 1747 - ball,Kaffeeklatsch,action,agate,assemblee,assembly,assignation,at home,bal,bal costume,bal masque,ball bearing,balloon,bar shot,barn dance,baseball,baseball bat,basketball,bat,battledore,bauble,be intimate,bead,big time,bird shot,bladder,blob,blocks,blowout,boll,bolus,bowl,brawl,bubble,buckshot,bulb,bulbil,bulblet,bullet,cannon shot,cannonball,case shot,caucus,checkerboard,chessboard,clew,clot,club,cockhorse,cocktail party,coffee klatch,cohabit,colloquium,come together,commission,commit adultery,committee,conclave,concourse,conglobulate,congregation,congress,conventicle,convention,convocation,copulate,costume party,council,country dance,couple,cover,cricket bat,crossbar shot,cue,dance,date,diddle,diet,dinner,dinner party,discus,doll,doll carriage,donation party,duck shot,dumdum bullet,egg,eisteddfod,ejecta,ejectamenta,ellipsoid,ensphere,entertainment,expanding bullet,fancy-dress ball,festivity,fete,football,forgathering,fornicate,forum,frig,fun,fun and games,funmaking,game,garden party,gathering,geoid,get-together,gewgaw,gimcrack,globe,globelet,globoid,globule,glomerulus,gob,gobbet,golf club,good time,grape,grapeshot,great fun,handball,have sex,have sexual relations,hen party,high old time,high time,hobbyhorse,hop,house party,house-raising,housewarming,jack-in-the-box,jacks,jackstones,jackstraws,kickshaw,knickknack,knob,knot,langrel shot,laughs,lawn party,lay,levee,lie with,lovely time,make it with,make love,make out,manstopping bullet,marble,marionette,mask,masked ball,masque,masquerade,masquerade ball,masquerade party,mate,meet,meeting,mig,missile,mixer,mothball,mount,mushroom,oblate spheroid,orb,orbit,orblet,oval,ovoid,panel,paper doll,party,pellet,pick-up sticks,picnic,pill,pinball,pinwheel,play,plaything,pleasant time,plenum,projectile,prolate spheroid,prom,promenade,puppet,pushball,quoit,quorum,racket,rag doll,rally,reception,record hop,rendezvous,rifle ball,rocking horse,rondure,round,round shot,rubber ball,screw,seance,serve,service,session,shell,shindig,shindy,shot,shower,shrapnel,sit-in,sitting,sleep with,slug,smoker,snowball,softball,soiree,sphere,spherify,spheroid,spherule,split shot,sport,square dance,stag,stag dance,stag party,steelie,surprise party,symposium,synod,taw,tea dance,teetotum,tetherball,the dansant,top,toy,toy soldier,trajectile,trinket,turnout,volleyball,wad,whiffle ball,whim-wham 1748 - ballad,Brautlied,Christmas carol,English sonnet,Horatian ode,Italian sonnet,Kunstlied,Liebeslied,Petrarchan sonnet,Pindaric ode,Sapphic ode,Shakespearean sonnet,Volkslied,alba,anacreontic,anthem,art song,aubade,balada,ballade,ballata,barcarole,blues,blues song,boat song,bridal hymn,brindisi,bucolic,calypso,canso,canticle,canzone,canzonet,canzonetta,carol,cavatina,chanson,chant,chantey,clerihew,croon,croon song,dirge,dithyramb,ditty,drinking song,eclogue,elegy,epic,epigram,epithalamium,epode,epopee,epopoeia,epos,folk song,georgic,ghazel,haiku,hit,hit tune,hymeneal,idyll,jingle,lay,lied,light music,lilt,limerick,love song,love-lilt,lyric,madrigal,matin,minstrel song,minstrelsy,monody,narrative poem,national anthem,nursery rhyme,ode,palinode,pastoral,pastoral elegy,pastorela,pastourelle,poem,pop,pop music,popular music,popular song,prothalamium,rhyme,rondeau,rondel,roundel,roundelay,satire,serena,serenade,serenata,sestina,sloka,song,song hit,sonnet,sonnet sequence,tanka,tenso,tenzone,theme song,threnody,torch song,triolet,troubadour poem,verse,verselet,versicle,villanelle,virelay,war song,wedding song 1749 - balladeer,arranger,ballad maker,ballad singer,balladist,balladmonger,bard,composer,contrapuntist,ethnomusicologist,fili,folk singer,folk-rock singer,gleeman,harmonist,harmonizer,hymnist,hymnographer,hymnologist,jongleur,librettist,madrigalist,melodist,melodizer,minnesinger,minstrel,musicographer,musicologist,orchestrator,rhapsode,rhapsodist,scop,scorer,serenader,song writer,songsmith,street singer,strolling minstrel,symphonist,tone poet,troubadour,trovatore,tunesmith,wait,wandering minstrel 1750 - balladmonger,Meistersinger,Parnassian,arch-poet,arranger,ballad maker,balladeer,balladist,bard,beat poet,bucoliast,composer,contrapuntist,elegist,epic poet,ethnomusicologist,fili,harmonist,harmonizer,hymnist,hymnographer,hymnologist,idyllist,imagist,jongleur,laureate,librettist,madrigalist,major poet,maker,melodist,melodizer,minnesinger,minor poet,minstrel,modernist,musicographer,musicologist,occasional poet,odist,orchestrator,pastoral poet,pastoralist,poet,poet laureate,poeticule,poetress,rhapsode,rhapsodist,rhymer,rhymester,satirist,scop,scorer,skald,song writer,songsmith,sonneteer,symbolist,symphonist,tone poet,troubadour,trouveur,trovatore,tunesmith,vers libriste,vers-librist,verseman,versemonger,versesmith,versifier 1751 - ballast,balance,break bulk,break out ballast,clear for action,clear the decks,consideration,counterbalance,counterpoise,counterweight,equipoise,equivalent,firm,firm up,freeze,give-and-take,hold,immobilize,keep,lead,makeweight,nail down,offset,pin down,poise,quid pro quo,retain,sandbag,setoff,shift ballast,shoot ballast,something of value,stabilitate,stabilize,steady,stick,tit for tat,transfix,trim,trim ship,trim up,weigh down,weight,weight down,wing out ballast 1752 - balled up,Byzantine,anarchic,arsy-varsy,ass-backwards,balled up,bollixed up,bothered,buggered,buggered up,chaotic,complex,complicated,confounded,confused,convoluted,cooked,crabbed,daedal,devious,discomposed,disconcerted,disordered,disorganized,disturbed,elaborate,embarrassed,embrangled,entangled,flustered,fluttered,fouled up,fussed,galley-west,gummed up,hashed up,helter-skelter,higgledy-piggledy,hugger-mugger,implicated,in a jumble,in a mess,in a pother,in a pucker,in a stew,in a sweat,in a swivet,in a tizzy,intricate,involuted,involved,jumbled,knotted,labyrinthian,labyrinthine,loused up,many-faceted,matted,mazy,meandering,messed up,mixed up,mixed-up,mucked up,muddled,multifarious,perplexed,perturbed,put-out,queered,ramified,rattled,roundabout,ruffled,scattered,screwed up,shaken,shook,shot,shuffled,skimble-skamble,snafu,snafued,snarled,snarled up,subtle,sunk,tangled,tangly,topsy-turvy,twisted,unsettled,upset,upside-down 1753 - ballerina,ballet dancer,ballet girl,ballroom dancer,choral dancer,chorus boy,chorus girl,clog dancer,coryphee,dancer,dancing girl,danseur,danseur noble,danseuse,figurant,figurante,geisha,geisha girl,heel-and-toe dancer,hoofer,hula girl,nautch girl,square-dancer,terpsichorean 1754 - ballet,Broadway musical,Grand Guignol,Passion play,Singspiel,Tom show,antimasque,audience success,ballad opera,ballet divertissement,ballroom dancing,bomb,broadcast drama,burlesque show,charade,choreodrama,choreography,chorus show,classical ballet,cliff hanger,closet drama,comedy ballet,comedy drama,comic opera,critical success,dance,dance drama,dancing,daytime serial,dialogue,documentary drama,drama,dramalogue,dramatic play,dramatic series,duodrama,duologue,epic theater,experimental theater,extravaganza,failure,flop,gasser,giveaway,grand opera,happening,hit,hit show,hoofing,improvisational drama,legitimate drama,light opera,lyric drama,masque,melodrama,minstrel,minstrel show,miracle,miracle play,modern ballet,modern dance,monodrama,monologue,morality,morality play,music drama,musical,musical comedy,musical revue,musical stage,musical theater,mystery,mystery play,opera,opera ballet,opera bouffe,opera buffa,operetta,pageant,panel show,pantomime,pastoral,pastoral drama,piece,play,playlet,problem play,psychodrama,quiz show,radio drama,review,revue,sensational play,serial,show,sitcom,situation comedy,sketch,skit,soap,soap opera,sociodrama,song-and-dance act,song-play,spectacle,stage play,stage show,straight drama,success,suspense drama,tableau,tableau vivant,talk show,tap dancing,teleplay,television drama,television play,terpsichore,theater of cruelty,total theater,variety show,vaudeville,vaudeville show,vehicle,word-of-mouth success,work 1755 - balletic,actor-proof,all-star,ballet,cinematic,cinematographic,dance,dancing,dramatic,dramatical,dramaturgic,film,filmic,ham,hammy,histrionic,legitimate,melodramatic,milked,monodramatic,movie,operatic,overacted,overplayed,scenic,spectacular,stagelike,stageworthy,stagy,starstruck,stellar,terpsichorean,theaterlike,theatrical,thespian,thrown away,underacted,underplayed,vaudevillian 1756 - balloon,Graf Zeppelin,accrue,accumulate,advance,aeroplane,aerostat,air bubble,airlift,airplane,airship,appreciate,bag,ball,ballonet,be airborne,bead,belly,belly out,bilge,billow,bladder,bleb,blimp,blister,bloat,blob,blood blister,boll,bolus,boom,bouge,breed,broaden,bubble,bug,bulb,bulbil,bulblet,bulge,bulk,bulla,captive balloon,conglobulate,crescendo,cruise,develop,dilate,dirigible,dirigible balloon,distend,drift,ellipsoid,enlarge,expand,extend,ferry,fever blister,fill out,flit,fly,fob,gain,gain strength,gasbag,geoid,get ahead,glide,globe,globelet,globoid,globule,glomerulus,go up,gob,gobbet,goggle,greaten,grow,hop,hover,hydroplane,increase,intensify,jet,knob,knot,lighter-than-air craft,mount,multiply,mushroom,navigate,oblate spheroid,orb,orbit,orblet,pellet,pilot balloon,pocket,poke,pooch,pop,pouch,pout,prolate spheroid,proliferate,puff up,rigid airship,rise,rondure,round out,run up,sac,sack,sail,sailplane,sausage,seaplane,semirigid airship,ship,shoot up,snowball,soap bubble,soar,sphere,spherify,spheroid,spherule,spread,strengthen,stretch,swell,swell out,take the air,take wing,tumefy,vesicle,volplane,wax,weather balloon,widen,wing,zeppelin 1757 - ballooning,access,accession,accretion,accrual,accruement,accumulation,addition,advance,aeronautics,aggrandizement,air service,airline,amplification,appreciation,ascent,astronautics,augmentation,aviation,bagging,baggy,bellying,billowing,billowy,blind flying,bloated,bloating,boom,boost,bosomy,broadening,buildup,bulbose,bulbous,bulging,bumped,bumpy,bunched,bunchy,cloud-seeding,commercial aviation,contact flying,crescendo,cruising,development,distended,drooping,droopy,edema,elevation,enlargement,expansion,extension,flight,flood,floppy,flying,gain,general aviation,gliding,greatening,growth,gush,hike,hillocky,hummocky,increase,increment,inflation,jump,leap,limp,loose,lop,lop-eared,loppy,mounting,moutonnee,multiplication,nodding,pilotage,pneumatic,potbellied,pouching,productiveness,proliferation,raise,rise,rounded,sagging,sagging in folds,saggy,sailing,sailplaning,snowballing,soaring,spread,surge,swag,swelling,tumescence,up,upping,upsurge,upswing,uptrend,upturn,verrucated,verrucose,warty,waxing,widening,winging 1758 - ballot,Australian ballot,Hare system,Indiana ballot,Massachusetts ballot,absentee ballot,aye,blanket ballot,canvass,canvassing,casting vote,counting heads,cumulative voting,deciding vote,division,enfranchisement,fagot vote,franchise,graveyard vote,hand vote,list system,long ballot,nay,no,nonpartisan ballot,nontransferable vote,office-block ballot,party emblem,party-column ballot,plebiscite,plebiscitum,plumper,plural vote,poll,polling,preferential voting,proportional representation,proxy,record vote,referendum,representation,right to vote,rising vote,sample ballot,say,secret ballot,short ballot,show of hands,single vote,slate,snap vote,split ticket,straight ticket,straw vote,suffrage,ticket,transferable vote,viva voce,voice,voice vote,vote,vote in,voting,voting right,write-in,write-in vote,yea,yeas and nays,yes 1759 - ballplayer,amateur athlete,archer,athlete,baseballer,baseman,batter,battery,blocking back,bowman,catcher,center,coach,competitor,cricketer,defensive lineman,end,footballer,games-player,gamester,guard,infielder,jock,jumper,lineman,offensive lineman,outfield,outfielder,player,poloist,professional athlete,pugilist,quarterback,racer,skater,sport,sportsman,tackle,tailback,toxophilite,wingback,wrestler 1760 - ballroom,amusement park,cabaret,cafe chantant,cafe dansant,casino,chamber,chambre,dance floor,dance hall,dancery,dancing pavilion,entertainment industry,fun-fair,grand ballroom,juke joint,night spot,nightclub,nitery,resort,roadhouse,room,rotunda,salle,show biz,show business,tavern,theater 1761 - balls,adventuresomeness,adventurousness,audaciousness,audacity,bag,ballocks,baloney,basket,beard,blague,bosh,bravado,bravura,breasts,bull,bullshit,bunk,bunkum,cervix,claptrap,clitoris,cod,cods,crap,cullions,daring,dauntlessness,derring-do,enterprise,eyewash,family jewels,female organs,flam,flimflam,foolhardiness,gammon,genitalia,genitals,gonads,guts,heart,hogwash,hoke,hokum,hooey,humbug,humbuggery,jiggery-pokery,labia,labia majora,labia minora,lingam,lips,male organs,meat,mettle,moonshine,moxie,nuts,nymphae,ovary,overboldness,penis,phallus,pluck,private parts,privates,privy parts,pubic hair,pudenda,reproductive organs,resolution,rocks,scrotum,secondary sex characteristic,sex organs,spermary,spirit,testes,testicles,uterus,vagina,venturesomeness,venturousness,vulva,womb,yoni 1762 - ballyhoo man,MC,auteur,ballyhooer,barker,callboy,canvasser,costume designer,costumer,costumier,director,emcee,equestrian director,exhibitor,impresario,makeup man,master of ceremonies,pitchman,playreader,producer,prompter,ringmaster,scenewright,set designer,showman,solicitor,spieler,stage director,stage manager,theater man,theatrician,ticket collector,tout,touter,usher,usherer,usherette 1763 - ballyhoo,PR,advertise,aggrandize,aggrandizement,amplification,amplify,bark,big talk,bill,blowing up,blurb,boost,bright light,build up,bulletin,burlesque,caricature,carry too far,celebrity,circularize,common knowledge,cry,cry up,currency,daylight,dilatation,dilation,draw the longbow,eclat,enhancement,enlargement,establish,exaggerate,exaggerating,exaggeration,excess,exorbitance,expansion,exposure,extravagance,extreme,fame,famousness,give a write-up,give publicity,glare,go to extremes,grandiloquence,heightening,herald,hoopla,huckstering,hue and cry,hyperbole,hyperbolism,hyperbolize,inflation,inordinacy,lay it on,limelight,magnification,magnify,make much of,maximum dissemination,notoriety,overcharge,overdo,overdraw,overemphasis,overestimate,overestimation,overkill,overpraise,overreach,overreact,oversell,overspeak,overstate,overstatement,overstress,patter,pile it on,pitch,placard,plug,post,post bills,post up,press notice,press-agent,prodigality,profuseness,promote,public eye,public knowledge,public relations,public report,publicity,publicity story,publicize,publicness,puff,puffery,puffing up,reclame,report,sales pitch,sales talk,sell,sensationalism,spiel,spotlight,stretch,stretch the truth,stretching,superlative,talk big,talk in superlatives,tall talk,tout,touting,travesty,trumpet,write up,write-up 1764 - balm,Mentholatum,Vaseline,aid,allay,alleviative,alleviator,alterative,ambergris,ambrosia,analeptic,anodyne,aroma,aromatic,aromatic gum,aromatic water,assistance,assuager,attar,attar of roses,balm of Gilead,balsam,bay oil,bergamot oil,bouquet,brilliantine,calmative,cerate,champaca oil,chrism,civet,cold cream,collyrium,comfort,commiseration,compose,condolement,condolence,consolation,corrective,cream,cure,cushion,demulcent,dolorifuge,drops,drug,electuary,elixir,embrocation,emollient,essence,essential oil,ethical drug,extract,eye-lotion,eyewash,eyewater,face cream,fixative,generic name,glycerin,glycerogel,glycerogelatin,glycerol,glycerole,hand lotion,healing agent,healing quality,heliotrope,help,herbs,incense,inhalant,inunction,inunctum,jasmine oil,lanolin,lavender oil,lenitive,lincture,linctus,liniment,lotion,lull,materia medica,medicament,medication,medicinal,medicinal herbs,medicine,menthol,mercurial ointment,mitigator,mixture,moderator,modulator,mollifier,musk,myrcia oil,myrrh,nard,nonprescription drug,officinal,oil,ointment,olive oil,pacificator,pacifier,palliative,parfum,patent medicine,peacemaker,perfume,perfumery,petrolatum,pharmacon,physic,pomade,pomatum,powder,preparation,prescription,prescription drug,proprietary,proprietary medicine,proprietary name,quiet,quieten,receipt,recipe,redolence,relief,remedial measure,remedy,restorative,restraining hand,rose oil,salve,scent,sedative,settle,sharing of grief,shock absorber,simples,soothe,soother,soothing syrup,soothing words,sovereign remedy,specific,specific remedy,spice,spikenard,stabilizer,still,succor,sympathy,syrup,temperer,theraputant,tisane,tranquilize,tranquilizer,unction,unguent,unguentum,vegetable remedies,volatile oil,vulnerary,wiser head,witch hazel,zinc ointment 1765 - balmy,Saturnian,absurd,agreeable,allaying,alleviating,alleviative,ambrosial,analgesic,anesthetic,anodyne,aromatic,assuaging,assuasive,balsamic,bananas,barmy,bats,batty,beany,benumbing,bland,blooming,blossoming,bonkers,booming,bright,buggy,bughouse,bugs,cathartic,cleansing,clear,crackers,crazy,cuckoo,daffy,deadening,delightful,demulcent,dippy,dotty,dulling,easing,emollient,essenced,exuberant,faint,fair,fat,flaky,flipped,flourishing,flowering,flowery,fragrant,freaked-out,fruitcakey,fruiting,fruity,gaga,going strong,goofy,gratifying,halcyon,harebrained,haywire,in full swing,in good case,incense-breathing,insane,just plain nuts,kooky,lenient,lenitive,lightening,loony,loopy,mild,mitigating,mitigative,musky,numbing,nuts,nutty,odorate,odoriferous,odorous,off the hinges,off the track,off the wall,pain-killing,palliative,palmy,perfumed,perfumy,piping,pleasant,pleasing,potty,preposterous,prospering,purgative,redolent,refreshing,rejuvenating,relieving,remedial,restorative,rosy,round the bend,savory,scented,screwball,screwballs,screwy,silly,slaphappy,sleek,smooth,soft,softening,soothing,spicy,subduing,sunny,sweet,sweet-scented,sweet-smelling,thriving,thuriferous,vigorous,wacky 1766 - balneation,Australian crawl,aquaplaning,aquatics,backstroke,bathe,bathing,breaststroke,butterfly,crawl,diving,dog paddle,fin,fishtail,flapper,flipper,floating,natation,sidestroke,surfboarding,surfing,swim,swimming,treading water,wading,waterskiing 1767 - baloney,applesauce,balls,bilge,blague,blah,blah-blah,bop,bosh,bull,bullshit,bunk,bunkum,claptrap,crap,eyewash,flam,flapdoodle,flimflam,gammon,gas,guff,gup,hogwash,hoke,hokum,hooey,horsefeathers,hot air,humbug,humbuggery,jiggery-pokery,malarkey,moonshine,piffle,poppycock,rot,rubbish,scat,shit,tommyrot,tripe,wind 1768 - balsam,aid,alterative,ambergris,ambrosia,analeptic,aromatic,aromatic gum,aromatic water,assistance,attar,attar of roses,balm,balm of Gilead,bay oil,bergamot oil,brilliantine,cerate,champaca oil,chrism,civet,cold cream,collyrium,corrective,cream,cure,demulcent,drops,drug,electuary,elixir,embrocation,emollient,essence,essential oil,ethical drug,extract,eye-lotion,eyewash,eyewater,face cream,fixative,generic name,hand lotion,healing agent,healing quality,heliotrope,help,herbs,inhalant,inunction,inunctum,jasmine oil,lanolin,lavender oil,lenitive,lincture,linctus,liniment,lotion,materia medica,medicament,medication,medicinal,medicinal herbs,medicine,mixture,musk,myrcia oil,myrrh,nard,nonprescription drug,officinal,oil,ointment,parfum,patent medicine,perfume,perfumery,pharmacon,physic,pomade,pomatum,powder,preparation,prescription,prescription drug,proprietary,proprietary medicine,proprietary name,receipt,recipe,relief,remedial measure,remedy,restorative,rose oil,salve,scent,simples,soothing syrup,sovereign remedy,specific,specific remedy,spikenard,succor,syrup,theraputant,tisane,unction,unguent,unguentum,vegetable remedies,volatile oil,vulnerary 1769 - balustrade,Samson post,baluster,banister,barrier,base,boundary,caryatid,colonnade,column,dado,die,doorjamb,doorpost,fence,footstalk,gatepost,hitching post,jack,jamb,king post,milepost,mullion,newel-post,pedestal,pedicel,peduncle,pier,pilaster,pile,piling,pillar,plinth,pole,post,queen-post,rail,railing,shaft,signpost,snubbing post,socle,staff,stalk,stanchion,stand,standard,stem,stile,stone wall,subbase,surbase,trunk,upright,wall 1770 - bamboo curtain,Berlin wall,Pillars of Hercules,arch dam,backstop,bank,bar,barrage,barrier,barrier of secrecy,bear-trap dam,beaver dam,blackout,boom,border,border ground,borderland,breakwater,breastwork,brick wall,buffer,bulkhead,bulwark,censorship,cofferdam,curtain,dam,defense,dike,ditch,earthwork,embankment,fence,frontier,frontier post,gate,gravity dam,groin,hush-up,hydraulic-fill dam,iron curtain,ironbound security,jam,jetty,leaping weir,levee,logjam,march,marches,marchland,milldam,moat,mole,mound,oath of secrecy,official secrecy,outpost,outskirts,pall,parapet,portcullis,rampart,repression,roadblock,rock-fill dam,seal of secrecy,seawall,security,shutter dam,smothering,stifling,stone wall,suppression,three-mile limit,twelve-mile limit,veil,veil of secrecy,wall,weir,wicket dam,work,wraps 1771 - bamboozle,addle,amaze,baffle,beat,befool,beguile,betray,bilk,bluff,boggle,buffalo,cajole,cheat on,chicane,circumvent,confound,conjure,daze,deceive,delude,diddle,double-cross,dupe,flimflam,floor,fool,forestall,fuddle,gammon,get,get around,gull,hoax,hocus-pocus,hoodwink,hornswaggle,humbug,juggle,keep in suspense,let down,lick,maze,mock,muddle,mystify,nonplus,outmaneuver,outreach,outsmart,outwit,overreach,perplex,pigeon,play one false,put something over,puzzle,snow,stick,string along,stump,swindle,take in,throw,trick,two-time 1772 - bamboozled,addled,at a loss,baffled,beat,buffaloed,confounded,dazed,floored,fuddled,in a dilemma,in suspense,licked,muddled,mystified,nonplussed,on tenterhooks,perplexed,puzzled,stuck,stumped,thrown 1773 - ban,Eighteenth Amendment,Prohibition Party,Volstead Act,abscind,amputate,anathema,annihilate,banish,banishment,bar,bar out,barring,blackball,blackballing,blacklist,blasphemy,blockade,bob,boycott,boycottage,cast out,categorically reject,circumscription,clip,commination,complaint,contraband,count out,crop,cull,curse,cut,cut away,cut off,cut out,damnation,debar,debarment,debarring,demarcation,denial,denunciation,deny,deport,dim view,disagreement,disallow,disallowance,disappointment,disapprobation,disapproval,disapprove,disapprove of,discontent,discontentedness,discontentment,disenchantment,disesteem,disfavor,disfellowship,disgruntlement,disillusion,disillusionment,displeasure,disrespect,dissatisfaction,dissent,dissent from,distaste,dock,eliminate,embargo,enjoin,enucleate,eradicate,evil eye,except,exception,excise,exclude,exclude from,exclusion,excommunicate,excommunication,execration,exile,expatriate,expel,extinguish,extirpate,extradite,forbid,forbiddance,forbidden fruit,forbidding,freeze out,frown at,frown down,frown upon,fugitate,fulmination,grimace at,hex,ignore,imprecation,inadmissibility,index,index expurgatorius,index librorum prohibitorum,indignation,inhibit,inhibition,injunction,interdict,interdiction,interdictum,isolate,keep out,knock off,law,leave out,lock out,lockout,look askance at,look black upon,lop,low estimation,low opinion,malison,malocchio,mutilate,narrowing,nip,no-no,nonadmission,not approve,not go for,not hear of,not hold with,object,object to,objection,omission,omit,oppose,opposition,opposure,ostracism,ostracization,ostracize,outlaw,pare,pass over,peel,pick out,preclude,preclusion,prevent,prevention,prohibit,prohibition,prohibitory injunction,proscribe,proscription,protest,prune,refusal,refuse,reject,rejection,relegate,relegation,repress,repression,repudiate,repudiation,restriction,restrictive covenants,root out,rule out,ruling out,rusticate,say no to,send away,send down,send to Coventry,set apart,set aside,shave,shear,shut out,snub,spurn,stamp out,statute,strike off,strip,strip off,sumptuary laws,suppress,suppression,taboo,take exception to,take off,take out,think ill of,think little of,thrust out,thumb down,thumbs-down,thundering,transport,truncate,unhappiness,view with disfavor,whammy,wipe out,zoning,zoning laws 1774 - banal,asinine,average,back-number,bewhiskered,bland,bromidic,central,cliched,common,commonplace,corny,cut-and-dried,everyday,fade,familiar,fatuous,flat,fusty,hackney,hackneyed,hoary,humdrum,intermediary,intermediate,jejune,mean,medial,median,mediocre,medium,middle-of-the-road,middling,milk-and-water,moderate,moth-eaten,musty,namby-pamby,normal,old,old hat,ordinary,pedestrian,petty,platitudinous,routine,sapless,set,silly,simple,square,stale,standard,stereotyped,stock,threadbare,timeworn,tired,trite,trivial,truistic,unimaginative,unoriginal,usual,vapid,warmed-over,waterish,watery,well-known,well-worn,wishy-washy,worn,worn thin 1775 - banality,banalness,bromide,chestnut,cliche,commonness,commonplace,commonplace expression,commonplaceness,corn,corniness,familiar tune,familiarness,fustiness,hackneyed saying,hackneyedness,lieu commun,locus communis,mustiness,old joke,old saw,old song,old story,platitude,platitudinousness,prosaicism,prosaism,prose,reiteration,retold story,rubber stamp,shibboleth,squareness,staleness,stereotyped saying,tag,trite saying,triteness,triticism,truism,twice-told tale,unoriginality 1776 - banana,burlesquer,caricaturist,clown,comedian,comic,cutup,epigrammatist,funnyman,gag writer,gagman,gagster,humorist,ironist,jester,joker,jokesmith,jokester,lampooner,madcap,parodist,prankster,punner,punster,quipster,reparteeist,satirist,wag,wagwit,wisecracker,wit,witling,zany 1777 - bananas,balmy,barmy,bats,batty,beany,bonkers,buggy,bughouse,bugs,crackers,cuckoo,daffy,dippy,dotty,flaky,flipped,freaked-out,fruitcakey,fruity,gaga,goofy,haywire,just plain nuts,kooky,loony,loopy,nuts,nutty,off the hinges,off the track,off the wall,potty,round the bend,screwball,screwballs,screwy,slaphappy,wacky 1778 - Band Aid,Ace bandage,adhesive tape,application,band,bandage,bandaging,binder,brace,cast,cataplasm,compress,cotton,court plaster,cravat,dressing,elastic bandage,epithem,four-tailed bandage,gauze,lint,plaster,plaster cast,pledget,poultice,roller,roller bandage,rubber bandage,sling,splint,sponge,stupe,tampon,tape,tent,tourniquet,triangular bandage 1779 - band shell,L,R,acting area,apron,apron stage,backstage,bandstand,board,bridge,coulisse,dock,dressing room,flies,fly floor,fly gallery,forestage,greenroom,grid,gridiron,lightboard,orchestra,orchestra pit,performing area,pit,proscenium,proscenium stage,shell,stage,stage left,stage right,switchboard,the boards,wings 1780 - band together,accompany,act in concert,act together,affiliate,ally,amalgamate,associate,associate with,assort with,attend,band,be in cahoots,be in league,bunch,bunch up,cabal,cement a union,centralize,club,club together,coact,coalesce,collaborate,collude,combine,come together,companion,concert,concord,concur,confederate,consociate,consolidate,consort with,conspire,cooperate,couple,couple with,do business with,federalize,federate,flock together,fuse,gang,gang up,get heads together,get together,go along with,go in partners,go in partnership,go partners,go with,hang around with,hang together,harmonize,herd together,hold together,hook up,hook up with,join,join forces,join fortunes with,join in,join together,join up with,join with,keep company with,keep together,league,league together,make common cause,marry,merge,organize,pair,pair off,partner,play ball,pull together,put heads together,reciprocate,run with,stand together,stand up with,team up,team up with,team with,throw in together,throw in with,tie in,tie in with,tie up,tie up with,unionize,unite,unite efforts,unite with,wait on,wed,work together 1781 - band,Ace bandage,Band-Aid,Bund,German band,Mystik tape,Philharmonic,Rochdale cooperative,Scotch tape,accouple,accumulate,act in concert,act together,adhesive tape,affiliate,age group,agglutinate,alliance,ally,amalgamate,amass,amateur band,anklet,application,armlet,articulate,assemblage,assemble,assembly,associate,association,axis,band together,bandage,bandaging,bandeau,bar,battalion,batten,be in league,bed,bedding,begird,belt,belt in,bend,bespangle,bespeckle,bespot,bevy,big band,bind,bind up,binder,bloc,blotch,body,bond,border,brace,bracelet,bracket,brass,brass band,brass choir,brass quintet,brass section,brasses,bridge,bridge over,brigade,bunch,bundle,cabal,callithumpian band,cast,cataplasm,cellophane tape,cement,chain,chamber orchestra,channel,check,checker,cinch,cincture,cingulum,circle,citizens band,clap together,clique,cloth tape,club,club together,cluster,coact,coalesce,coalition,cohort,collaborate,collar,collarband,collect,college,collude,combination,combine,combo,common market,company,complement,compress,comprise,concatenate,concert,concert band,concord,concur,confederacy,confederate,confederation,conglobulate,conjoin,conjugate,connect,consociate,consolidate,conspire,consumer cooperative,contingent,cooperate,cooperative,cooperative society,copulate,corps,coterie,cotton,couche,council,couple,course,court plaster,cover,covey,crack,cravat,craze,credit union,crew,cross-hatching,crowd,customs union,dapple,dash,deck,delineation,desks,detachment,detail,diagonal,division,dixieland band,do business with,do up,dot,dotted line,dressing,earring,ecliptic,economic community,edge,elastic bandage,embrace,encincture,encircle,encompass,engird,ensemble,ensphere,epithem,equator,faction,fascia,federate,federation,fillet,finger ring,flake,fleck,fleet,floor,four-tailed bandage,freckle,free trade area,frequency band,friction tape,fuse,gallery,gamelan orchestra,gang,gather,gauze,get heads together,get together,gird,girdle,girt,girth,glue,go partners,great circle,group,grouping,groupment,hachure,hairline,hang together,harlequin,harmonize,hatching,hold together,hook up,hoop,horde,in-group,include,iris,jazz band,join,join in,join together,jug band,junta,keep,keep together,knot,lace,lash,lath,lay together,layer,league,league together,leash,ledge,level,ligula,ligule,line,lineation,link,lint,list,loop,lump together,machine,maculate,make common cause,marble,marbleize,marry,marshal,masking tape,mass,measures,merge,military band,mob,mobilize,motley,mottle,movement,neckband,necklace,nose ring,orchestra,out-group,outfit,overlayer,overstory,pack,pair,partner,partnership,party,peer group,pepper,phalanx,philharmonic,piece together,plank,plaster,plaster cast,plastic tape,platoon,play ball,pledget,police band,political machine,polychrome,polychromize,posse,poultice,pull together,put heads together,put together,quartet,quintet,quoit,radio channel,ragtime band,rainbow,reciprocate,regiment,ribband,ribbon,ring,rock-and-roll group,roll into one,roller,roller bandage,rope,rubber bandage,salon,score,seam,set,sextet,shelf,shortwave band,shred,skiffle band,slash,slat,sling,slip,society,solder,span,spangle,speck,speckle,spill,splice,spline,splint,splotch,sponge,spot,sprinkle,squad,stable,stage,stand together,standard band,steel band,step,stick together,stigmatize,stipple,story,strake,strap,stratum,streak,streaking,street band,stria,striate,striation,striature,striga,string,string band,string choir,string orchestra,string quartet,strings,striola,strip,stripe,striping,stroke,strop,stud,stupe,sublineation,substratum,superstratum,swaddle,swathe,swing band,symphony,symphony orchestra,taenia,take in,tampon,tape,tape measure,tapeline,tattoo,team,team up,tent,tessellate,thickness,throw in together,ticker tape,tie,tie in,tie up,tier,topsoil,tourniquet,triangular bandage,tribe,trio,troop,troupe,truss,twine around,underlayer,underline,underlining,underscore,underscoring,understory,understratum,unify,union,unionize,unite,unite efforts,variegate,vein,virgule,waits,weld,wing,wire,woodwind,woodwind choir,woodwind quartet,woodwinds,work together,wrap,wrap up,wreathe,wreathe around,wristband,wristlet,yoke,zodiac,zone 1782 - bandage,Ace bandage,Band-Aid,Mystik tape,Scotch tape,adhesive tape,application,band,bandaging,bathe,batten,bedazzle,belt,bend,benight,bind,bind up,binder,binding,blind,blind the eyes,blindfold,brace,bundle,care for,cast,cataplasm,cellophane tape,chain,cinch,cloth tape,compress,cotton,court plaster,cravat,cure,darken,daze,dazzle,deprive of sight,diagnose,dim,do up,doctor,dress,dressing,dust jacket,eclipse,elastic bandage,envelope,envelopment,epithem,excecate,fascia,fillet,flux,four-tailed bandage,friction tape,gauze,gift wrapping,gird,girdle,girt,girth,give care to,glare,gouge,heal,hoodwink,jacket,lace,lash,lath,leash,ligula,ligule,lint,list,make blind,masking tape,massage,minister to,nurse,obscure,operate on,physic,plank,plaster,plaster cast,plastic tape,pledget,poultice,purge,remedy,ribband,ribbon,roller,roller bandage,rope,rub,rubber bandage,shred,slat,sling,slip,snow-blind,spill,splice,spline,splint,sponge,strake,strap,strike blind,strip,strop,stupe,swaddle,swathe,taenia,tampon,tape,tape measure,tapeline,tent,ticker tape,tie,tie up,tourniquet,treat,triangular bandage,truss,wire,wrap,wrap up,wrapper,wrapping 1783 - bandeau,achievement,advocate,alerion,alpenstock,animal charge,annulet,argent,arm,armorial bearings,armory,arms,athletic supporter,azure,back,backbone,backing,band,bar,bar sinister,baton,bearer,bearings,bend,bend sinister,billet,blazon,blazonry,bordure,bra,brace,bracer,bracket,brassiere,broad arrow,buttress,cadency mark,cane,canton,carrier,cervix,chaplet,charge,chevron,chief,coat of arms,cockatrice,coronet,corset,crescent,crest,crook,cross,cross moline,crown,crutch,device,difference,differencing,eagle,ermine,ermines,erminites,erminois,escutcheon,falcon,falsies,fess,fess point,field,file,fillet,flanch,fleur-de-lis,foundation garment,fret,fulcrum,fur,fusil,garland,girdle,griffin,gules,guy,guywire,gyron,hatchment,helmet,heraldic device,honor point,impalement,impaling,inescutcheon,jock,jockstrap,label,lion,lozenge,mainstay,maintainer,mantling,marshaling,martlet,mascle,mast,metal,motto,mullet,neck,nombril point,octofoil,or,ordinary,orle,pale,paly,pean,pheon,prop,purpure,quarter,quartering,reinforce,reinforcement,reinforcer,rest,resting place,ribbon,rigging,rose,sable,saltire,scutcheon,shield,shoulder,shroud,soutien-gorge,spine,spread eagle,sprit,staff,standing rigging,stave,stay,stick,stiffener,strengthener,stripe,subordinary,support,supporter,sustainer,tenne,tincture,torse,tressure,unicorn,upholder,vair,vert,walking stick,wreath,yale 1784 - banded,barred,brinded,brindle,brindled,listed,marbled,marbleized,streaked,streaky,striatal,striate,striated,strigate,strigose,striolate,striped,stripy,tabby,veined,watered 1785 - bandit,air armada,air force,badman,bogey,bravo,brigand,bummer,combat plane,cutthroat,dacoit,desperado,enemy aircraft,footpad,forager,freebooter,gangster,highwayman,holdup man,hoodlum,looter,mobsman,mobster,pillager,plunderer,racketeer,raider,ravager,sacker,slaunchways,thug,villain 1786 - banditry,armed robbery,asportation,assault and robbery,bank robbery,brigandage,brigandism,cattle lifting,cattle stealing,depredation,despoiling,despoilment,despoliation,direption,extortion,foraging,foray,freebooting,heist,highway robbery,hijacking,holdup,looting,marauding,mugging,pillage,pillaging,plunder,plundering,pocket picking,purse snatching,raid,raiding,ransacking,rape,rapine,ravage,ravagement,ravaging,ravishment,razzia,reiving,rifling,robbery,robbing,sack,sacking,spoiling,spoliation,stickup,stickup job 1787 - bandog,Cerberus,Seeing Eye dog,bitch,bowwow,canine,dog,fancy dog,guard dog,guide dog,gyp,kennel,lap dog,pack of dogs,pooch,pup,puppy,sheep dog,show dog,sled dog,slut,toy dog,watchdog,whelp,working dog 1788 - bandstand,L,R,acting area,apron,apron stage,backstage,band shell,board,bridge,coulisse,dock,dressing room,flies,fly floor,fly gallery,forestage,greenroom,grid,gridiron,lightboard,orchestra,orchestra pit,performing area,pit,proscenium,proscenium stage,shell,stage,stage left,stage right,switchboard,the boards,wings 1789 - bandy words,argue,argufy,bicker,cavil,chew the fat,chew the rag,chin,choplogic,colloque,colloquize,commerce with,commune with,communicate,communicate with,confab,confabulate,contend,contest,converse,converse with,cross swords,cut and thrust,discept,discourse with,dispute,give and take,hassle,have it out,join issue,lock horns,logomachize,moot,pettifog,plead,polemicize,polemize,quibble,shoot the breeze,spar,speak with,take counsel with,take sides,talk together,thrash out,try conclusions,visit with,wrangle 1790 - bandy,alternate,answer,arched,arciform,arclike,arcual,bandy-legged,banter,be quits with,blemished,bloated,bowed,bowlegged,bowlike,change,chuck,club-footed,commute,compensate,concave,convex,cooperate,counterchange,defaced,deformed,disfigured,dwarfed,embowed,exchange,flatfooted,flip,get back at,get even with,gibbose,gibbous,give and take,grotesque,humpbacked,humped,humpy,hunched,hunchy,ill-made,ill-proportioned,ill-shaped,interchange,knock-kneed,logroll,malformed,marred,misbegotten,misproportioned,misshapen,monstrous,mutilated,out of shape,oxbow,pay back,permute,pigeon-toed,pitch,pug-nosed,rachitic,reciprocate,repay,requite,respond,retaliate,retort,return,return the compliment,rickety,simous,snub-nosed,stumpy,swap,swaybacked,switch,talipedic,throw,toss,trade,transpose,truncated,vaulted 1791 - bane,abomination,annihilation,atrocity,bad,befoulment,biological death,blight,blood,bloodletting,bloodshed,braining,cessation of life,clinical death,contagion,corruption,crossing the bar,crying evil,curtains,damage,dealing death,death,death knell,deathblow,debt of nature,decease,defilement,demise,departure,despoliation,destroyer,destruction,destruction of life,detriment,dispatch,dissolution,doom,dying,ebb of life,end,end of life,ending,eternal rest,euthanasia,evil,execution,exit,expiration,extermination,extinction,extinguishment,fate,final summons,finger of death,flow of blood,going,going off,gore,grave,grievance,hand of death,harm,havoc,hurt,ill,immolation,infection,injury,jaws of death,kill,killing,knell,lapidation,last debt,last muster,last rest,last roundup,last sleep,leaving life,loss of life,making an end,martyrdom,martyrization,mercy killing,mischief,outrage,parting,passing,passing away,passing over,perishing,poison,poisoning,pollution,quietus,release,rest,reward,ritual killing,ritual murder,ruin,ruination,sacrifice,sentence of death,shades of death,shadow of death,shooting,slaughter,slaying,sleep,somatic death,stoning,summons of death,taking of life,the worst,toxin,undoing,venom,vexation,virus,woe,wrong 1792 - baneful,apocalyptic,appalling,atrocious,awful,bad,baleful,beastly,black,bodeful,boding,brutal,calamitous,cataclysmal,cataclysmic,catastrophic,consuming,consumptive,corroding,corrosive,corrupting,corruptive,counterproductive,damaging,dark,deadly,death-bringing,deathful,deathly,deleterious,demolishing,demolitionary,depredatory,desolating,destroying,destructive,detrimental,devastating,dire,direful,disadvantageous,disastrous,disserviceable,distressing,doomful,dreadful,dreary,evil,evil-starred,fatal,fateful,feral,foreboding,fratricidal,gloomy,grim,harmful,hideous,horrendous,horrible,horrid,horrific,horrifying,hurtful,ill,ill-boding,ill-fated,ill-omened,ill-starred,inauspicious,injurious,insalubrious,internecine,killing,lethal,lowering,malefic,malevolent,malign,malignant,menacing,mischievous,mortal,nihilist,nihilistic,noisome,noxious,of evil portent,ominous,pernicious,pestiferous,pestilent,pestilential,poisonous,portending,portentous,prejudicial,ravaging,rotten,ruining,ruinous,savage,scatheful,self-destructive,shocking,sinister,somber,subversionary,subversive,suicidal,terrible,threatening,toxic,tragic,unfavorable,unfortunate,unhealthy,unlucky,unpromising,unpropitious,unspeakable,untoward,unwholesome,vandalic,vandalish,vandalistic,venenate,veneniferous,venenous,venomous,vicious,virulent,wasteful,wasting,withering 1793 - bang up,OK,ace-high,bad,bonzer,boss,bully,but good,cool,corking,crackerjack,dandy,delicious,ducky,fab,fine and dandy,gear,great,groovy,heavy,hot,hunky-dory,jam-up,just dandy,keen,marvy,mean,neat,nifty,nobby,okay,out of sight,peachy,peachy-keen,ripping,rum,scrumptious,slap-up,smashing,solid,something else,spiffing,spiffy,stunning,swell,tough,wizard 1794 - bang,abruptly,accurately,aggressiveness,antitoxin,backfire,bag,bang into,bangs,bar,bark,barricade,bash,baste,bat,batten,batten down,batter,beat,beating,belt,best,better,biff,blast,blow,blowout,blowup,bolt,bonk,boom,booster,booster dose,booster shot,boot,buffet,bump,bump into,burst,bust,button,button up,cannon,carom,carom into,charge,choke,choke off,chop,clap,clash,clip,clobber,close,close up,clout,clump,coldcock,collide,come into collision,concuss,confront each other,constrict,contain,contract,cover,crack,crack up,crash,crash into,crump,crunch,cut,dash,dash into,deal,deal a blow,deck,detonate,detonation,dig,ding,dint,discharge,dose,draft,drive,dropping,drub,drubbing,drug packet,drumming,encounter,enterprise,exactly,exceed,explode,explosion,fall foul of,fasten,fetch,fetch a blow,fetlock,fire,fix,flail,flap,flare,flash,fleck,flock,flop,flush,fold,fold up,forelock,foul,fringe,fulguration,fulminate,fulmination,fusillade,get-up-and-go,getup,ginger,go,go off,gunshot,hammer,hastily,hit,hit a clip,hit against,howl,hurt,hurtle,hypodermic,hypodermic injection,impetuously,impinge,impulsively,initiative,injection,inoculation,jab,jet injection,jollies,key,kick,knock,knock against,knock cold,knock down,knock out,lambaste,larrup,latch,let have it,lick,lift,like a flash,like a thunderbolt,lock,lock out,lock up,mainlining,maul,meet,narcotic injection,narcotic shot,noise,occlude,of a sudden,on short notice,outdo,outgo,outshine,outstrip,overdose,padlock,paste,patter,pelt,pep,pepper,percuss,piss and vinegar,pizzazz,plop,plumb,plump,plunk,poke,pommel,poop,pop,popping,portion,potion,pound,precipitantly,precipitately,precipitously,precisely,pulverize,pummel,punch,push,quiff,quiver,rap,report,right,roar,roll,rumble,run into,rush,rush of emotion,salvo,seal,seal off,seal up,secure,sensation,sharp,shiver,shooting up,shot,shudder,shut,shut the door,shut up,sideswipe,skin-popping,slam,slam into,slap,slat,sledgehammer,slog,slug,smack,smack into,smack-dab,smash,smash into,smash up,smite,snap,soak,sock,sound,spang,spank,splat,spunk,square,squarely,squeeze shut,starch,startlingly,strangle,strike,strike against,strike at,stroke,successful,sudden,suddenly,surge of emotion,surprisingly,swap,swat,swing,swipe,tap,tattoo,thrash,thresh,thrill,thrust,thump,thunder,thwack,tingle,tingling,titillation,tremor,tremor of excitement,tuft,unawares,unexpectedly,vaccination,vaccine,verve,vim,vitality,volley,wallop,whack,wham,whap,whip,whomp,whop,without notice,without warning,wow,yerk,zing,zip,zip up,zipper 1795 - bangers,Vienna sausage,black pudding,blood pudding,bologna,braunschweiger,frank,frankfurter,gooseliver,headcheese,hot dog,knockwurst,liver sausage,liverwurst,salami,saucisse,sausage,weenie,wiener,wienerwurst,wienie 1796 - banging,blasting,bumping,bursting,cracking,crashing,exploding,explosive,flapping,knocking,popping,rapping,slapping,slatting,spanking,tapping,thumping,thundering,walloping,whacking,whaling,whopping 1797 - bangle,anklet,armlet,beads,bijou,bracelet,breastpin,brooch,chain,chaplet,charm,chatelaine,circle,coronet,crown,diadem,earring,fob,gem,jewel,locket,necklace,nose ring,pin,precious stone,rhinestone,ring,stickpin,stone,tiara,torque,wampum,wristband,wristlet 1798 - banish,ban,blackball,blacklist,boycott,bump,can,cashier,cast out,cut,debar,deport,discharge,disfellowship,dismiss,displace,drive away,drive out,eject,evict,exclude,excommunicate,exile,expatriate,expel,extradite,fire,fugitate,lag,ostracize,oust,outlaw,proscribe,put out,reject,relegate,run out,rusticate,sack,send away,send down,send to Coventry,shut out,snub,spurn,thrust out,transport,turn out 1799 - banishment,ban,blackball,blackballing,blacklist,boycott,boycottage,defrocking,degradation,demotion,depluming,deportation,deprivation,disbarment,disfellowship,displacement,displuming,exclusion,excommunication,exile,expatriation,expulsion,extradition,fugitation,ostracism,ostracization,outlawing,outlawry,proscription,relegation,rustication,stripping,transportation,unfrocking 1800 - banister,Samson post,baluster,balustrade,base,caryatid,colonnade,column,dado,die,doorjamb,doorpost,footstalk,gatepost,hitching post,jack,jamb,king post,milepost,mullion,newel-post,pedestal,pedicel,peduncle,pier,pilaster,pile,piling,pillar,plinth,pole,post,queen-post,rail,shaft,signpost,snubbing post,socle,staff,stalk,stanchion,stand,standard,stem,stile,subbase,surbase,trunk,upright 1801 - banjo eyes,baby blues,bright eyes,clear eyes,cornea,eye,eyeball,eyelid,goggle eyes,iris,lens,lid,naked eye,nictitating membrane,oculus,optic,optic nerve,orb,organ of vision,peeper,popeyes,pupil,retina,saucer eyes,sclera,starry orbs,unaided eye,visual organ 1802 - banjo,Dobro guitar,F-hole guitar,Spanish guitar,archlute,balalaika,banjo-uke,banjo-ukulele,banjo-zither,banjorine,banjuke,bass guitar,centerhole guitar,concert guitar,electric guitar,guitar,lute,mando-bass,mando-cello,mandola,mandolin,mandolute,mandore,oud,pandora,pandura,samisen,sitar,steel guitar,tamboura,theorbo,troubadour fiddle,uke,ukulele 1803 - bank on,aspire to,bargain for,bet on,calculate on,confide,count on,depend on,desire,expect,feel confident,figure on,gamble on,harbor the hope,hope,hope against hope,hope and pray,hope for,hope in,hope to God,lean on,lean upon,live in hopes,nurture the hope,place reliance on,plan on,presume,reckon on,rely on,rely upon,repose on,rest assured,rest on,swear by,trust,trust to 1804 - bank,Bank of England,Bank of France,Federal Reserve bank,Fort Knox,Indian file,Indian reservation,International Monetary Fund,Lombard Street bank,Swiss bank,World Bank,abatis,abutment,advanced work,align,anthill,arc-boutant,arch dam,archives,arm,armor,armor-plate,armory,array,arsenal,articulation,ascend,attic,backstop,balistraria,bamboo curtain,bank up,banquette,bar,barbed-wire entanglement,barbican,barrage,barricade,barrier,bartizan,basement,bastion,battle,battlement,bay,beach,beam,bear-trap dam,beaver dam,berm,bet on,bevel,bezel,bin,bird sanctuary,blockade,board,bonded warehouse,bookcase,boom,border,bordure,box,branch bank,breakwater,breastwork,brick wall,brim,brink,broadside,brow,buffer,build on,bulkhead,bulwark,bundle away,bunker,burn,bursary,buttery,buttress,buttress pier,buttressing,buzz,cache,calculate,cant,careen,cargo dock,casemate,cash register,cashbox,castellate,catena,catenation,cellar,central bank,chain,chain reaction,chaining,cheek,chest,cheval-de-frise,chop,chute,circumvallation,clearing house,climb,closet,coal mine,coast,coastland,coastline,cock,coffer,cofferdam,coin box,colliery,commercial bank,compact,concatenation,concentrate,conflagrate,connection,consecution,conservatory,continuum,contravallation,coral reef,count on,counterscarp,course,crab,crate,credit union,crenellate,crib,cupboard,curtain,cycle,dam,decline,defense,demibastion,depend,deposit,depository,depot,descend,descent,dig in,diggings,dike,dip,ditch,dock,drawbridge,drawer,drift,drone,drop,dump,dune,earthwork,easy slope,edge,embankment,embattle,enclosure,endless belt,endless round,enkindle,entanglement,entrench,escarp,escarpment,exchequer,fall,fall away,fall off,fan the flame,farm loan bank,feather,featheredge,federal land bank,feed,feed the fire,fence,fieldwork,file,filiation,finance company,finance corporation,fire,fisc,fishtail,flange,flank,flat,fleam,flying buttress,ford,foreshore,forest preserve,fortalice,fortification,fortify,frame,fringe,gamble on,game reserve,gamut,garrison,gate,gentle slope,glacis,glory hole,go downhill,go uphill,godown,gold depository,gold mine,gradation,grade,gradient,gravity dam,groin,hand,handedness,hanging buttress,hanging gardens,haunch,haycock,haymow,hayrick,haystack,heap,heap up,helicline,hem,hill,hillside,hip,hoard,hock shop,hold,hum,hutch,hydraulic-fill dam,ignite,inclination,incline,inclined plane,inflame,intend,invest,investment bank,iron curtain,ironbound coast,jackpot,jam,jetty,jowl,jutty,keel,kindle,kitty,labellum,labium,labrum,laterality,launching ramp,lay aside,lay away,lay down,lay in,lay in store,lean,leaping weir,ledge,lending institution,levee,library,lido,light,light up,limb,limbus,line,line up,lineage,lip,list,littoral,locker,lodge,logjam,loop,loophole,lot,lumber room,lumberyard,lunette,machicolation,magasin,magazine,man,man the garrison,mantelet,many-sidedness,marge,margin,mass,member bank,merlon,milldam,mine,moat,mole,molehill,money chest,moneyed corporation,monotone,mortgage company,mound,mountain,mow,multilaterality,museum,mutual savings bank,national bank,national forest,national park,nexus,nonmember bank,open cut,opencast,outwork,pack away,palisade,paradise,parados,parapet,park,pawnbroker,pawnbrokery,pawnshop,pendulum,penny bank,periodicity,pier,pier buttress,piggy bank,pile,pile up,pit,pitch,plage,plan,planking,playa,plenum,plow,pool,pork barrel,porpoise,portcullis,postern gate,pot,powder train,preserve,profile,progression,public crib,public till,public treasury,public trough,pull out,pull up,push down,put away,pyramid,quarry,quarter,queue,rack,ragged edge,rake,ramp,rampart,range,rank,ravelin,reckon on,recurrence,redan,redoubt,reef,rekindle,relight,relume,repertory,reposit,repository,reservation,reserve,reserve bank,reservoir,retaining wall,reticulation,retreat,rick,rim,rise,riverside,riviera,roadblock,rock-fill dam,rockbound coast,roll,rotation,round,routine,row,run,safe,safe-deposit box,sally port,salt away,salt down,sanctuary,sandbank,sandbar,sands,save,savings bank,scale,scarp,sconce,sea line,sea margin,seabank,seabeach,seaboard,seacliff,seacoast,seashore,seaside,seawall,selvage,sequence,series,set aside,set fire to,set on fire,shaft,shallow,shallows,shelf,shelve,shelving beach,shingle,shoal,shoal water,shore,shoreline,shoulder,shutter dam,side,sideline,sideslip,siding,sidle,single file,skid,skirt,slant,slope,snowbank,snowdrift,spectrum,spin,spiral,squirrel away,stack,stack room,stack up,stake,stakes,stash,state bank,state forest,steep slope,stiff climb,stir the fire,stock room,stockade,stoke,stoke the fire,stone wall,storage,store,store away,storehouse,storeroom,stow,stow away,stow down,strand,strike a light,string,string out,strong room,strongbox,stunt,submerged coast,subtreasury,succession,supply base,supply depot,swag,swath,sway,talus,tank,temple,tenaille,thread,tidal flats,tidewater,tier,tiger,till,tilt,tip,torch,touch off,train,treasure house,treasure room,treasure-house,treasury,trust company,trust in,undulate,unilaterality,uprise,vallation,vallum,vat,vault,venture,verge,wager,wall,warehouse,waterfront,waterside,weir,wetlands,wicket dam,wilderness preserve,wildlife preserve,windrow,wine cellar,work,workings,yaw 1805 - bankbook,account book,accounts payable ledger,accounts receivable ledger,balance sheet,bank ledger,books,card ledger,cashbook,cost card,cost ledger,cost sheet,daybook,factory ledger,inventory,journal,ledger,log,logbook,passbook,purchase ledger,record book,register,registry,sales journal,sales ledger,stock ledger,stores ledger,suspense ledger 1806 - banker,Shylock,bank clerk,bank manager,bank officer,bank president,banking executive,baron,big boss,big businessman,bill broker,business leader,businessman,cambist,captain of industry,cashier,director,discounter,enterpriser,entrepreneur,financier,industrialist,investment banker,king,lender,little businessman,loan officer,loan shark,loaner,magnate,man of commerce,manager,money broker,money changer,money dealer,moneylender,moneymonger,mortgage holder,mortgagee,note broker,pawnbroker,teller,top executive,trust officer,tycoon,usurer 1807 - banking,acrobatics,aerobatics,chandelle,crabbing,dive,diving,fishtailing,glide,investment banking,money changing,money dealing,nose dive,power dive,pull-up,pullout,pushdown,rolling,sideslip,spiral,stall,stunting,tactical maneuvers,volplane,zoom 1808 - bankroll,angel,back,capitalize,finance,fund,grubstake,patronize,pay for,provide for,refinance,roll,set up,shoestring,sponsor,stake,subsidize,support,wad 1809 - bankrupt,almsman,almswoman,also-ran,ausgespielt,bankrupt in,bare,bare of,beggar,bereft of,blasted,blighted,break,broke,broken,bust,busted,casual,charity case,denudate,denude,denuded of,deprive,deprived of,desolated,destitute,destitute of,destroyed,devastated,devoid of,dilapidate,dismantle,disrobe,divest,done for,done in,down-and-out,down-and-outer,drain,draw,draw down,dud,empty of,exhaust,failed,failure,fallen,false alarm,finished,flop,fold up,for want of,forlorn of,fortuneless,gone to pot,hardcase,homeless,impair,impoverish,in default of,in receivership,in ruins,in the gutter,in the red,in want of,incapacitate,indigent,insolvent,insolvent debtor,irremediable,kaput,lacking,lame duck,landless,loser,missing,moneyless,needing,on the rocks,out of,out of funds,out of pocket,overthrown,pauper,pauperize,penniless,penniless man,poor devil,poor man,poorling,propertyless,ravaged,reduce,ruin,ruined,ruinous,scant of,scuttle,shipwreck,short,short of,shy,shy of,sink,spoiled,starveling,unblessed with,undone,unpossessed of,use up,void of,wanting,washout,wasted,welfare client,without a sou,wreck,wrecked 1810 - bankruptcy,bouncing check,breakage,breakdown,bust,collapse,crack-up,crash,crippling,damage,defeat,destruction,detriment,dilapidation,disablement,disrepair,encroachment,failure,futility,harm,hobbling,hurt,hurting,ill success,impairment,incapacitation,infringement,injury,inroad,insolvency,insufficient funds,kited check,losing game,loss,maiming,mayhem,mischief,mutilation,no go,nonaccomplishment,nonsuccess,overdraft,overdrawn account,receivership,ruination,ruinousness,sabotage,scathe,sickening,spoiling,successlessness,unsuccess,unsuccessfulness,uselessness,weakening 1811 - banned,barred,contraband,debarred,deported,ejected,excluded,exiled,expelled,forbade,forbid,forbidden,illegal,illicit,left out,liquidated,nonpermissible,not in it,not included,not permitted,off limits,out of bounds,outlawed,precluded,prohibited,purged,ruled out,shut out,taboo,tabooed,unallowed,unauthorized,under the ban,unlawful,unlicensed,unpermissible,unsanctioned,untouchable,verboten,vetoed 1812 - banner,Communist threat,Dannebrog,Jolly Roger,Old Glory,Star-Spangled Banner,Stars and Stripes,Union Flag,Union Jack,Western imperialism,and blue,arch,atrocity story,badge,banderole,bang-up,banner head,banneret,battle hymn,black flag,bloody shirt,blue ensign,blue-ribbon,bunting,burgee,capital,caption,cardinal,central,champion,character,characteristic,chief,coachwhip,color,colors,crostarie,crowning,device,differentia,dominant,drop head,dropline,earmark,ensign,epigraph,expansionism,face,fiery cross,first,first-class,first-rate,first-string,flag,focal,foremost,gonfalon,gonfanon,great,guidon,hallmark,hanger,head,heading,headline,headmost,hegemonic,house flag,idiosyncrasy,image,imperialist threat,important,independence,index,indicant,indicator,insignia,jack,jump head,keynote,leading,legend,long pennant,magisterial,main,manifest destiny,mark,martial music,master,measure,memorable,merchant flag,momentous,motto,national anthem,national flag,notable,note,noteworthy,oriflamme,overline,overruling,paramount,peculiarity,pendant,pennant,pennon,pennoncel,picture,predominant,preeminent,preponderant,prevailing,primal,primary,prime,principal,property,ranking,red,red ensign,representation,representative,royal standard,rubric,ruling,running head,running title,scarehead,screamer,seal,self-determination,sigil,sign,signal,signal flag,signature,sovereign,spread,spreadhead,stamp,standard,star,stellar,streamer,subhead,subheading,subtitle,supereminent,superscription,sure sign,swallowtail,symbol,symptom,telltale sign,title,title page,top-notch,topflight,trait,tricolor,vexillum,war song,white,yellow peril 1813 - banneret,Bayard,Dannebrog,Don Quixote,Gawain,Jolly Roger,Lancelot,Old Glory,Ritter,Sidney,Sir Galahad,Star-Spangled Banner,Stars and Stripes,Union Flag,Union Jack,and blue,bachelor,banderole,banner,baronet,black flag,blue ensign,bunting,burgee,caballero,cavalier,chevalier,coachwhip,colors,companion,ensign,flag,gonfalon,gonfanon,guidon,house flag,jack,knight,knight bachelor,knight banneret,knight baronet,knight-errant,long pennant,merchant flag,national flag,oriflamme,pennant,pennon,pennoncel,red,red ensign,royal standard,signal flag,standard,streamer,swallowtail,tricolor,vexillum,white 1814 - banns,Gretna Green wedding,affiance,banns of matrimony,betrothal,betrothment,bridal,bridal suite,bridechamber,chuppah,church wedding,civil ceremony,civil wedding,elopement,engagement,epithalamium,espousal,espousals,espousement,forced marriage,handfasting,honeymoon,hymen,hymeneal,hymeneal rites,marriage,marriage contract,nuptial apartment,nuptial mass,nuptial song,nuptials,plighted faith,plighted troth,prothalamium,saffron veil,shotgun wedding,spousals,troth,wedding,wedding canopy,wedding song,wedding veil 1815 - banquet,Lucullan feast,Mardi Gras,Saturnalia,bean-feast,beano,blow,blowout,carnival,carouse,celebration,do,do justice to,eat heartily,eat up,fair,feast,feed,festal board,festival,festive occasion,festivity,fete,field day,fiesta,gala,gala affair,gala day,gaudy,great doings,groaning board,harvest home,high jinks,indulge,jamboree,joyance,jubilation,kermis,mad round,merrymaking,party,picnic,polish the platter,put it away,regale,regalement,repast,revel,revelment,revelry,round of pleasures,spread,treat,tuck,waygoose,wayzgoose,wine and dine 1816 - banshee,Ariel,Befind,Corrigan,Finnbeara,Mab,Masan,Oberon,Titania,apparition,appearance,astral,astral spirit,brownie,cluricaune,control,departed spirit,disembodied spirit,duppy,dwarf,dybbuk,eidolon,elf,fairy,fairy queen,fay,form,ghost,gnome,goblin,grateful dead,gremlin,guide,hant,haunt,hob,idolum,immateriality,imp,incorporeal,incorporeal being,incorporeity,kobold,larva,lemures,leprechaun,manes,materialization,oni,ouphe,peri,phantasm,phantasma,phantom,pixie,poltergeist,pooka,presence,puca,pwca,revenant,shade,shadow,shape,shrouded spirit,specter,spectral ghost,spirit,spook,sprite,sylph,sylphid,theophany,unsubstantiality,vision,walking dead man,wandering soul,wraith,zombie 1817 - bantam,arch,baby,baby-sized,banty,button,chit,compact,diminutive,duodecimo,featherweight,fingerling,handy,lightweight,little,malapert,mini,miniature,miniaturized,minikin,minimal,minnow,minny,minuscule,monkey,mouse,nubbin,peewee,pert,petite,pocket,pocket-sized,pony,runt,shrimp,slip,small fry,small-scale,snip,snippet,subminiature,tit,toy,twelvemo,vest-pocket,wart,wisp 1818 - bantamweight,Chinese boxer,black belt,boxer,brown belt,bruiser,catchweight,featherweight,fighter,fisticuffer,flyweight,heavyweight,karate expert,light heavyweight,lightweight,middleweight,palooka,prizefighter,pug,pugilist,savate expert,sparrer,underweight,welterweight 1819 - banter,backchat,badinage,beard,blandish,blarney,booing,brave,buffoonery,cajole,catcalling,chaff,chaffing,challenge,chitchat,clownishness,con,dare,defy,deride,derision,exchange,face,fleering,flippancy,fool,foolery,fooling,front,fun,give-and-take,gossip,gossipry,grinning,guy,harlequinade,haze,hissing,hooting,horseplay,jape,jeering,jest,jesting,jive,joke,joking,jolly,josh,joshing,kid,kidding,leering,levity,make fun of,make merry with,mock,mockery,monkeyshines,needle,outface,panning,persiflage,pleasantry,poke fun at,put on,quiz,rag,ragging,raillery,rally,rallying,razz,razzing,repartee,rib,ribbing,ride,ridicule,roast,roasting,satirize,scoffing,shenanigans,small talk,smart-aleckiness,smartness,smirking,sneering,snickering,sniggering,snorting,soft-soap,sweet-talk,taunt,taunting,tease,teasing,tomfoolery,twit,twitting,venture,wheedle 1820 - bantering,booing,catcalling,chaffing,derisive,derisory,fleering,flippant,fooling,grinning,hazing,hissing,hooting,jeering,jesting,joking,jollying,joshing,kidding,leering,mocking,panning,quizzical,ragging,railing,rallying,razzing,ribbing,ridiculing,roasting,scoffing,smart,smart-alecky,smart-ass,smirking,sneering,snickering,sniggering,snorting,taunting,teasing,twitting 1821 - banty,Bantam,baby,baby-sized,bantam,barn-door fowl,barnyard fowl,biddy,broiler,brooder,broody hen,button,capon,chanticleer,chick,chickabiddy,chicken,chicky,chit,cock,cockerel,compact,diminutive,domestic fowl,drake,duck,duckling,dunghill fowl,duodecimo,featherweight,fingerling,fowl,fryer,game fowl,gander,gobbler,goose,gosling,guinea cock,guinea fowl,guinea hen,handy,hen,hen turkey,lightweight,mini,miniature,miniaturized,minikin,minimal,minnow,minny,minuscule,mouse,nubbin,partlet,peewee,pocket,pocket-sized,pony,poulard,poult,poultry,pullet,roaster,rooster,runt,setting hen,shrimp,slip,small fry,small-scale,snip,snippet,spring chicken,stewing chicken,subminiature,tit,tom,tom turkey,toy,turkey,turkey gobbler,turkey-cock,twelvemo,vest-pocket,wart,wisp 1822 - banzai,bugle call,call to arms,call-up,catchword,clarion,clarion call,conscription,exhortation,go for broke,gung ho,levy,mobilization,muster,rally,rallying cry,rebel yell,recruitment,slogan,trumpet call,war cry,war whoop,watchword 1823 - baptism,acceptance,admission,admittance,affusion,appellation,aspergation,aspersion,baptismal gown,baptismal regeneration,baptistery,baptizement,bath,bathing,bedewing,burial,calling,chrismal,christening,confirmation,dampening,damping,definition,deluge,denomination,designation,dewing,dip,dipping,dousing,drowning,duck,ducking,dunking,engulfment,enlistment,enrollment,extreme unction,flooding,font,holy orders,hosing,hosing down,humidification,identification,immergence,immersion,immission,inauguration,induction,infusion,initiation,installation,instatement,intromission,inundation,investiture,irrigation,laving,matrimony,moistening,naming,nicknaming,ordination,penance,rinsing,seven sacraments,sinking,souse,sousing,sparging,spattering,splashing,splattering,spraying,sprinkling,styling,submergence,submersion,swashing,terming,the Eucharist,total immersion,watering,wetting 1824 - baptismal,High-Church,ceremonial,ceremonious,eucharistic,formal,formular,formulary,initiative,initiatory,introductive,introductory,liturgic,liturgistic,paschal,ritual,ritualistic,sacramental,sacramentarian 1825 - baptistery,Easter sepulcher,affusion,ambry,apse,aspergation,aspersion,baptism,baptismal gown,baptismal regeneration,baptizement,blindstory,chancel,choir,chrismal,christening,cloisters,confessional,confessionary,crypt,diaconicon,diaconicum,font,immersion,infusion,nave,porch,presbytery,rood loft,rood stair,rood tower,sacrarium,sacristy,sprinkling,total immersion,transept,triforium,vestry 1826 - baptize,adulterate,asperge,asperse,attenuate,bath,bathe,bury,call,christen,cleanse,cut,define,deluge,denominate,designate,dilute,dip,douche,douse,drown,dub,duck,dunk,engulf,entitle,flush,flush out,gargle,holystone,identify,immerge,immerse,inundate,irrigate,label,lather,launder,lave,merge,mop,mop up,name,nickname,nominate,overwhelm,plunge in water,purify,rarefy,reduce,regenerate,rinse,rinse out,ritually immerse,scour,scrub,scrub up,shampoo,shower,sink,sluice,sluice out,soap,souse,specify,sponge,sprinkle,style,submerge,submerse,swab,syringe,tag,term,thin,title,toivel,tub,wash,wash out,wash up,water,water down,whelm 1827 - bar mitzvah,agape,asperges,aspersion,auricular confession,bas mitzvah,celebration,circumcision,confession,confirmation,high celebration,incense,invocation,invocation of saints,kiss of peace,lesser litany,litany,love feast,lustration,pax,processional,reciting the rosary,telling of beads,the confessional,the confessionary 1828 - bar sinister,achievement,alerion,animal charge,annulet,argent,armorial bearings,armory,arms,aspersion,attaint,azure,badge of infamy,bandeau,bantling,bar,bastard,bastard child,bastardism,bastardy,baton,bearings,bend,bend sinister,billet,black eye,black mark,blazon,blazonry,blot,blur,bordure,brand,broad arrow,by-blow,cadency mark,canton,censure,champain,chaplet,charge,chevron,chief,coat of arms,cockatrice,coronet,crescent,crest,cross,cross moline,crown,device,difference,differencing,disparagement,eagle,ermine,ermines,erminites,erminois,escutcheon,falcon,fess,fess point,field,file,flanch,fleur-de-lis,fret,fur,fusil,garland,griffin,gules,gyron,hatchment,helmet,heraldic device,honor point,illegitimacy,illegitimate,illegitimate child,illegitimateness,impalement,impaling,imputation,inescutcheon,label,lion,love child,lozenge,mantling,mark of Cain,marshaling,martlet,mascle,metal,motto,mullet,nombril point,octofoil,odium,onus,or,ordinary,orle,pale,paly,pean,pheon,pillorying,point champain,purpure,quarter,quartering,reflection,reprimand,reproach,rose,sable,saltire,scutcheon,shield,slur,smear,smirch,smudge,smutch,spot,spread eagle,stain,stigma,stigmatism,stigmatization,subordinary,taint,tarnish,tenne,tincture,torse,tressure,unicorn,vair,vert,wreath,yale 1829 - bar,Hershey bar,Maypole,abscind,accent,accent mark,achievement,ait,alehouse,alerion,ambo,amputate,animal charge,annihilate,annulet,anticipate,arch dam,archipelago,argent,armorial bearings,armory,arms,aside from,atoll,avert,aviation badge,azure,backstop,badge,bamboo curtain,ban,band,bandeau,bang,banish,bank,bar line,bar out,bar sinister,barrage,barrel house,barricade,barrier,barring,barroom,bate,baton,batten,batten down,beam,bear-trap dam,bearings,beaver dam,beer garden,beer parlor,belt,bench,bend,bend sinister,beside,besides,bespangle,bespeckle,bespot,billet,bind,bistro,blank wall,blazon,blazonry,blind alley,blind gut,blind tiger,block,block up,blockade,blockage,blotch,board,bob,bolt,boom,boozer,bordure,bottleneck,boycott,brace,brake,breakwater,breastwork,brick wall,broad arrow,bucket shop,buffer,buffet,bulkhead,bulkhead in,bullion,bulwark,bung,but,button,button up,cabaret,cadency mark,cafe,cancel,cant hook,cantina,canton,caulk,cay,cecum,chaplet,character,charge,check,checker,checkrein,chevron,chicken,chief,chink,chock,choke,choke off,choke up,choking,choking off,circumscribe,circumscription,clap,claw bar,clip,clog,clog up,close,close off,close out,close tight,close up,coat of arms,cockatrice,cocktail lounge,cofferdam,coin gold,coin silver,confine,congest,congestion,constipate,constipation,constrict,contain,continental island,contract,control,copper,coral head,coral island,coral reef,cork,coronet,costiveness,counsel,count out,counter,cover,crack,crank,craze,crescent,crest,crisscross,crop,cross,cross moline,cross-hatching,crossbar,crosscut,crow,crowbar,crowd,crown,cruciate,cul-de-sac,cull,curb,custos,cut,cut across,cut away,cut off,cut out,dam,dam up,dapple,dash,dead end,debar,debarment,debarring,decussate,defense,deflect,degree,delimit,delimitate,delineation,demarcation,deny,deport,desk,deter,device,diagonal,difference,differencing,difficulty,dike,direct,disallow,discourage,disenable,dishearten,disqualify,ditch,dive,dock,dog,dot,dotted line,dramshop,drinkery,drinking saloon,eagle,earthwork,eliminate,embankment,embargo,embolism,embolus,encumbrance,enjoin,enucleate,epaulet,eradicate,ermine,ermines,erminites,erminois,escritoire,escutcheon,estop,ex,except,except for,excepting,exception,excise,exclude,exclude from,excluding,exclusion,exclusive of,exile,expression mark,extinguish,extirpate,falcon,fasten,fence,fend,fend off,fermata,fess,fess point,field,file,fill,fill up,flagstaff,flake,flanch,flat,fleck,fleur-de-lis,fold,fold up,forbid,ford,foreclose,forestall,foul,freckle,freeze out,fret,fur,fusil,garland,gate,gin mill,gold,gold nugget,gorge,gravity dam,griffin,groggery,grogshop,groin,gules,gyron,hachure,hairline,halt,hamper,handspike,hardship,harlequin,hash mark,hatching,hatchment,hedge,helmet,help,hem,heraldic device,hinder,hindrance,hold,holm,honky-tonk,honor point,hurdle,hydraulic-fill dam,ignore,impalement,impaling,impasse,impede,impediment,inadmissibility,inescutcheon,infarct,infarction,ingot,inhibit,injunction,insignia of branch,insularity,intercross,interdict,intersect,iris,iron crow,iron curtain,island,island group,islandology,isle,jam,jetty,jimmy,keep from,keep off,keep out,key,key signature,knock off,label,latch,lead,leaping weir,leave out,leaving out,lectern,ledger line,legal profession,let alone,levee,lever,lie across,ligature,limb,line,lineation,lion,list,local,lock,lock out,lock up,lockout,logjam,lop,lounge,lozenge,maculate,make impossible,mantling,marble,marbleize,mark,marlinespike,marshaling,martlet,mascle,measure,metal,metronomic mark,milldam,moat,mole,motley,mottle,motto,mound,mullet,mutilate,narrowing,nickel,nightclub,nip,nombril point,nonadmission,notation,nugget,oak leaf,obstacle,obstipate,obstipation,obstruct,obstruction,obviate,occlude,oceanic island,octofoil,omission,omit,omitting,or,ordinary,organization insignia,orle,ostracize,outlaw,outrigger,outside of,overseas bar,pack,padlock,pale,palisade,paly,parachute badge,parapet,pare,pass over,patch,pause,pean,peavey,pedal,peel,pepper,pheon,pick out,picket,pinch bar,pip,pleading,plug,plug up,plumb,pole,polychrome,polychromize,portcullis,pothouse,precious metals,preclude,precluding,preclusion,presa,prevent,prize,prohibit,prohibition,proscribe,prune,pry,pub,public,public house,purpure,quarter,quartering,rail,rainbow,rampart,rathskeller,reef,refuse,reject,rejection,relegate,relegation,repel,representation,repress,repudiate,repudiation,restrict,restriction,ripping bar,roadblock,roadhouse,rock-fill dam,rod,root out,rose,rub,rule out,rummery,rumshop,sable,saloon,saloon bar,saltire,sandbank,sandbar,save,save and except,saving,say no to,scape,score,scutcheon,seal,seal off,seal up,sealing off,seawall,secretaire,secretary,secure,segno,send to Coventry,service stripe,set apart,set aside,shaft,shallow,shallows,shave,shear,shelf,shield,shoal,shoal water,shoulder patch,shoulder sleeve insignia,shut,shut off,shut out,shut the door,shut tight,shut up,shutter dam,sign,signature,silver,slab,slam,slash,slur,snag,snap,space,spangle,spar,speakeasy,speck,speckle,spile,splotch,spot,spread eagle,sprinkle,squeeze,squeeze shut,staff,stalk,stamp out,stanch,stand,star,stave,stave off,stay,stem,stench,stick,stifle,stigmatize,stipple,stone wall,stop,stop up,stoppage,stopper,stopple,strangle,strangulate,strangulation,streak,streaking,stria,striate,striation,striature,striga,strike off,string,striola,strip,strip off,stripe,striping,stroke,stud,stuff,stuff up,stumbling block,sublineation,submarine badge,subordinary,suffocate,suppress,suspend,swell,symbol,table,taboo,take off,take out,tap,taproom,tattoo,tavern,tempo mark,tenne,tessellate,than,tidal flats,tie,time signature,tincture,tongue,torse,totem pole,transverse,traverse,treadle,tressure,tribunal,truncate,turn aside,underline,underlining,underscore,underscoring,unicorn,unless,vair,variegate,vein,vert,vicissitude,vinculum,virgule,wall,ward off,watering place,weir,wetlands,wicket dam,wine shop,wipe out,without,work,workbench,wreath,wrecking bar,writing table,yale,yellow stuff,zip up,zipper 1830 - barb,Amytal,Amytal pill,Demerol,Dolophine,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Seconal,Seconal pill,Tuinal,Tuinal pill,alcohol,amobarbital sodium,analgesic,anodyne,antenna,arrow,arrowhead,barbel,barbiturate,barbiturate pill,barbule,barrel,black stuff,blue,blue angel,blue devil,blue heaven,blue velvet,bobtailed arrow,bolt,bristle,calmative,cat whisker,chested arrow,chloral hydrate,cilium,cloth yard shaft,codeine,codeine cough syrup,dart,depressant,depressor,dolly,downer,feeler,filament,filamentule,flight,goofball,hard stuff,heroin,hop,horse,hypnotic,junk,knockout drops,laudanum,liquor,lotus,meperidine,methadone,morphia,morphine,narcotic,opiate,opium,pacifier,pain killer,paregoric,pen yan,phenobarbital,phenobarbital sodium,purple heart,quarrel,quietener,quill,rainbow,red,reed,scag,secobarbital sodium,sedative,setula,setule,shaft,shit,sleep-inducer,sleeper,sleeping draught,sleeping pill,smack,sodium thiopental,somnifacient,soother,soothing syrup,soporific,striga,stubble,tactile hair,tactile process,tar,tranquilizer,turps,vibrissa,volley,white stuff,yellow,yellow jacket 1831 - barbarian,Goth,Gothic,Neanderthal,Uitlander,alien,animal,anthropophagite,backward,barbaric,barbarous,beast,bestial,bloodthirsty,boor,boorish,brutal,brute,brutish,cannibal,churl,churlish,clod,coarse,crude,cruel,deracine,destroyer,displaced person,emigre,exile,exotic,exterior,external,extraneous,extraterrestrial,extrinsic,ferocious,foreign,foreign devil,foreign-born,foreigner,graceless,gringo,heathenish,hooligan,hyena,ignoramus,ill-bred,ill-mannered,impolite,inhuman,insensitive,intrusive,lout,loutish,lowbrow,man-eater,nihilist,noncivilized,oaf,oafish,outland,outlander,outlandish,outlaw,outside,outsider,philistine,primitive,refugee,rough,rough-and-ready,rude,ruffian,savage,shark,skinhead,strange,stranger,tasteless,the Wandering Jew,tiger,tough,tramontane,troglodyte,troglodytic,ulterior,ultramontane,uncivil,uncivilized,uncombed,uncouth,uncultivated,uncultured,unearthly,unkempt,unlicked,unpolished,unrefined,untamed,vandal,vandalic,vulgar,wanderer,wild,wild man,wrecker,yahoo 1832 - barbaric,Doric,Draconian,Gothic,Neanderthal,Philistine,Tartarean,aggressive,alien,animal,anthropophagous,atrocious,barbarian,barbarous,beastly,bestial,blatant,bloodthirsty,bloody,bloody-minded,bookless,brutal,brutalized,brute,brutish,cacophonous,cannibalistic,careless,clumsy,coarse,crude,cruel,cruel-hearted,deceived,demoniac,demoniacal,devilish,diabolic,doggerel,dysphemistic,erroneous,exotic,exterior,external,extraneous,extraterrestrial,extrinsic,faulty,fell,feral,ferine,ferocious,fiendish,fiendlike,fierce,flamboyant,flashy,florid,foreign,foreign-born,functionally illiterate,garish,gaudy,graceless,grammarless,gross,harsh,heathen,hellish,hoodwinked,ill-bred,ill-educated,illiterate,impolite,imprecise,improper,impure,in bad taste,incline,inconcinnate,inconcinnous,incorrect,indecorous,inelegant,infelicitous,infernal,inhuman,inhumane,intrusive,kill-crazy,led astray,loose,loud,low,lowbrow,malign,malignant,merciless,misinformed,misinstructed,mistaught,murderous,noncivilized,nonintellectual,ornate,ostentatious,outland,outlandish,outside,pagan,pitiless,primitive,raucous,rough,rough-and-ready,rude,ruthless,sadistic,sanguinary,sanguineous,satanic,savage,sharkish,showy,slavering,slipshod,slovenly,solecistic,strange,subhuman,tameless,tasteless,tawdry,troglodytic,truculent,ulterior,unbooked,unbookish,unbooklearned,unbriefed,unchristian,uncivil,uncivilized,uncombed,uncourtly,uncouth,uncultivated,uncultured,undignified,unearthly,unedified,uneducated,unerudite,uneuphonious,unfelicitous,ungentle,ungraceful,ungrammatic,unguided,unhuman,uninstructed,unintellectual,unkempt,unlearned,unlettered,unlicked,unliterary,unpolished,unread,unrefined,unscholarly,unschooled,unseemly,unstudious,untamed,untaught,untutored,vicious,vulgar,wild,wolfish 1833 - barbarism,Gothicism,Irish bull,Neanderthalism,age of ignorance,animality,antiphrasis,bad taste,barbarity,barbarousness,benightedness,benightment,bestiality,bombasticness,brutality,brutishness,cacology,cacophony,clumsiness,coarseness,colloquialism,corruption,crudeness,cumbrousness,dark,dark age,darkness,dysphemism,error,foreignism,gracelessness,grossness,harshness,heathenism,heaviness,ill breeding,ill-balanced sentences,impoliteness,impropriety,impurity,incivility,inconcinnity,incorrectness,indecorousness,inelegance,inelegancy,infelicity,lack of finish,lack of polish,lapse,leadenness,localism,malaprop,malapropism,misconstruction,missaying,misusage,misuse,neologism,paganism,philistinism,pompousness,ponderousness,poor diction,roughness,rudeness,savagery,savagism,sesquipedalianism,sesquipedality,shibboleth,slang,slip,slipshod construction,solecism,spoonerism,stiltedness,taboo word,tastelessness,troglodytism,turgidity,uncivilizedness,uncouthness,uncultivatedness,uncultivation,unculturedness,unenlightenment,uneuphoniousness,ungracefulness,ungrammaticism,unrefinement,unseemliness,unwieldiness,vernacularism,vulgarism,vulgarity,wildness 1834 - barbarity,Gothicism,Neanderthalism,acuteness,animality,atrociousness,atrocity,barbarism,barbarousness,beastliness,bestiality,bloodiness,bloodlust,bloodthirst,bloodthirstiness,bloody-mindedness,brutality,brutalness,brutishness,cannibalism,cruelness,cruelty,destructiveness,extremity,ferociousness,ferocity,fiendishness,fierceness,force,furiousness,harshness,heartlessness,ill breeding,impetuosity,impoliteness,incivility,inclemency,inhumaneness,inhumanity,intensity,malignity,mercilessness,mindlessness,murderousness,philistinism,pitilessness,rigor,roughness,ruthlessness,sadism,sadistic cruelty,sanguineousness,savagery,savagism,severity,sharpness,terrorism,troglodytism,truculence,uncivilizedness,uncouthness,uncultivatedness,uncultivation,unculturedness,ungentleness,unrefinement,vandalism,vehemence,venom,viciousness,violence,virulence,wanton cruelty,wildness 1835 - barbarous,Doric,Draconian,Gothic,Neanderthal,Philistine,Tartarean,alien,animal,anthropophagous,atrocious,backward,barbarian,barbaric,beastly,benighted,bestial,bloodthirsty,bloody,bloody-minded,bookless,brutal,brutalized,brute,brutish,cacophonous,cannibalistic,careless,clumsy,coarse,cretinous,crude,cruel,cruel-hearted,deceived,demoniac,demoniacal,devilish,diabolic,doggerel,dysphemistic,erroneous,exotic,exterior,external,extraneous,extraterrestrial,extrinsic,faulty,fell,feral,ferine,ferocious,fiendish,fiendlike,fierce,foreign,foreign-born,functionally illiterate,graceless,grammarless,gross,harsh,heathen,hellish,hoodwinked,ignorant,ill-bred,ill-educated,illiterate,impolite,imprecise,improper,impure,in bad taste,inconcinnate,inconcinnous,incorrect,indecorous,inelegant,infelicitous,infernal,inhuman,inhumane,intrusive,kill-crazy,led astray,loose,low,lowbrow,malign,malignant,merciless,misinformed,misinstructed,mistaught,murderous,noncivilized,nonintellectual,outland,outlandish,outside,pagan,philistine,pitiless,primitive,rough-and-ready,rude,ruthless,sadistic,sanguinary,sanguineous,satanic,savage,sharkish,slavering,slipshod,slovenly,solecistic,strange,subhuman,tameless,tasteless,troglodytic,truculent,ulterior,unbooked,unbookish,unbooklearned,unbriefed,unchristian,uncivil,uncivilized,uncombed,unconscionable,uncourtly,uncouth,uncultivated,uncultured,undignified,unearthly,unedified,uneducated,unerudite,uneuphonious,unfelicitous,ungentle,ungodly,ungraceful,ungrammatic,unguided,unholy,unhuman,uninstructed,unintellectual,unkempt,unlearned,unlettered,unlicked,unliterary,unpolished,unread,unrefined,unscholarly,unschooled,unseemly,unstudious,untamed,untaught,untutored,vicious,vulgar,wicked,wild,wolfish 1836 - barbecue,TV dinner,alfresco meal,aspic,bake,baste,blanch,boil,boiled meat,bouilli,braise,breakfast,brew,broil,brown,brunch,buffet supper,civet,clambake,coddle,coffee break,cook,cookout,curry,devil,diner,dinner,do,do to perfection,elevenses,fire,fish fry,flesh,forcemeat,fricassee,frizz,frizzle,fry,game,griddle,grill,hachis,hash,heat,high tea,hot luncheon,jerky,joint,jugged hare,lunch,luncheon,mash,meat,meat breakfast,menue viande,mince,oven-bake,pan,pan-broil,parboil,pemmican,petit dejeuner,picnic,poach,pot roast,prepare,prepare food,roast,sausage meat,saute,scallop,scrapple,sear,shirr,simmer,steam,stew,stir-fry,supper,tea,tea break,teatime,tiffin,toast,venison,viande,wiener roast,wienie roast 1837 - barbecued,baked,boiled,braised,broiled,browned,coddled,cooked,curried,deviled,fired,fricasseed,fried,grilled,heated,oven-baked,pan-broiled,parboiled,poached,roast,roasted,sauteed,scalloped,seared,shirred,steamed,stewed,toasted 1838 - barbed,acanthoid,acanthous,acicular,acuate,aculeate,aculeiform,acuminate,acute,cornuted,cusped,cuspidate,hispid,horned,horny,mucronate,needle-pointed,needle-sharp,pointed,pronged,sharp-pointed,spiculate,spiked,spiky,spined,spinous,spiny,tapered,tapering,tined,toothed,unbated 1839 - barbel,antenna,barb,barbule,bristle,cat whisker,feeler,palp,palpus,setula,setule,striga,stubble,tactile cell,tactile corpuscle,tactile hair,tactile organ,tactile process,tactor,vibrissa 1840 - barber,beautician,beautifier,bob,clipper,coif,coiffeur,coiffeuse,coiffure,conk,cropper,hairdresser,manicurist,pompadour,process,shaver,shingle,trim,wave 1841 - barbershop,agency,atelier,beauty parlor,beauty salon,beauty shop,bench,butcher shop,company,concern,corporation,desk,establishment,facility,firm,house,installation,institution,loft,organization,parlor,salon de beaute,shop,studio,sweatshop,work site,work space,workbench,workhouse,working space,workplace,workroom,workshop,worktable 1842 - barbican,abatis,advanced work,antenna tower,balistraria,bank,banquette,barbed-wire entanglement,barricade,barrier,bartizan,bastion,battlement,belfry,bell tower,breastwork,bulwark,campanile,casemate,cheval-de-frise,circumvallation,colossus,column,contravallation,counterscarp,cupola,curtain,demibastion,derrick,dike,dome,drawbridge,earthwork,enclosure,entanglement,escarp,escarpment,fence,fieldwork,fire tower,fortalice,fortification,glacis,lantern,lighthouse,loophole,lunette,machicolation,mantelet,martello,martello tower,mast,merlon,minaret,monument,mound,obelisk,observation tower,outwork,pagoda,palisade,parados,parapet,pilaster,pillar,pinnacle,pole,portcullis,postern gate,pylon,pyramid,rampart,ravelin,redan,redoubt,sally port,scarp,sconce,shaft,skyscraper,spire,standpipe,steeple,stockade,stupa,television mast,tenaille,tope,tour,tower,turret,vallation,vallum,water tower,windmill tower,work 1843 - barbiturate,Amytal,Amytal pill,Demerol,Dolophine,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Seconal,Seconal pill,Tuinal,Tuinal pill,alcohol,amobarbital sodium,analgesic,anodyne,barb,barbiturate pill,black stuff,blue,blue angel,blue devil,blue heaven,blue velvet,calmative,chloral hydrate,codeine,codeine cough syrup,depressant,depressor,dolly,downer,goofball,hard stuff,heroin,hop,horse,hypnotic,junk,knockout drops,laudanum,liquor,lotus,meperidine,methadone,morphia,morphine,narcotic,opiate,opium,pacifier,pain killer,paregoric,pen yan,phenobarbital,phenobarbital sodium,purple heart,quietener,rainbow,red,scag,secobarbital sodium,sedative,shit,sleep-inducer,sleeper,sleeping draught,sleeping pill,smack,sodium thiopental,somnifacient,soother,soothing syrup,soporific,tar,tranquilizer,turps,white stuff,yellow,yellow jacket 1844 - barbiturism,a habit,acquired tolerance,acute alcoholism,addictedness,addiction,alcoholism,amphetamine withdrawal symptoms,barbiturate addiction,chain smoking,chronic alcoholism,cocainism,crash,craving,dependence,dipsomania,drug addiction,drug culture,drug dependence,habituation,nicotine addiction,physical dependence,psychological dependence,tolerance,withdrawal sickness,withdrawal symptoms 1845 - barbule,antenna,barb,barbel,barrel,cat whisker,cilium,feeler,filament,filamentule,palp,palpus,quill,shaft,tactile cell,tactile corpuscle,tactile hair,tactile organ,tactile process,tactor,vibrissa 1846 - bard,Meistersinger,Parnassian,arch-poet,ballad maker,ballad singer,balladeer,balladmonger,beat poet,bucoliast,elegist,epic poet,fili,folk singer,folk-rock singer,gleeman,idyllist,imagist,jongleur,laureate,librettist,major poet,maker,minnesinger,minor poet,minstrel,modernist,muse,occasional poet,odist,pastoral poet,pastoralist,poet,poet laureate,poetress,rhapsode,rhapsodist,satirist,scop,serenader,skald,sonneteer,street singer,strolling minstrel,symbolist,troubadour,trouveur,trovatore,vers libriste,vers-librist,wait,wandering minstrel 1847 - bare handed,bare-ankled,bare-armed,bare-backed,bare-breasted,bare-chested,bare-headed,bare-legged,bare-necked,beggarly,defenseless,empty-handed,famished,guardless,half-starved,helpless,ill off,ill-equipped,ill-furnished,ill-provided,impoverished,on short commons,pauperized,poor,shorthanded,starved,starveling,starving,topless,unarmed,unarmored,unattended,uncovered,undefended,underfed,undermanned,undernourished,unfed,unfortified,ungarrisoned,unguarded,unprotected,unprovided,unreplenished,unscreened,unsheltered,unshielded,unsupplied,unsuspecting,unwarned,unwatched,weaponless 1848 - bare necessities,call for,demand,demand for,desideration,desideratum,essential,essentials,indispensable,must,must item,necessaries,necessities,necessity,need,need for,occasion,prerequirement,prerequisite,requirement,requisite,requisition,the necessary,the needful,want 1849 - bare of,bankrupt in,bereft of,denuded of,deprived of,destitute of,devoid of,empty of,for want of,forlorn of,in default of,in want of,lacking,missing,needing,out of,out of pocket,scant of,short,short of,shy,shy of,unblessed with,unpossessed of,void of,wanting 1850 - bare possibility,chance,conceivability,conceivableness,contingency,dark horse,doubtfulness,dubiousness,even chance,eventuality,faint likelihood,fighting chance,gambling chance,good chance,good possibility,hardly a chance,hope,hundred-to-one shot,implausibility,improbability,incredibility,likelihood,little chance,little expectation,little opportunity,long odds,long shot,off chance,outside chance,outside hope,poor bet,poor lookout,poor possibility,poor prospect,possibility,possibleness,potential,potentiality,probability,prospect,questionableness,remote possibility,slim chance,small chance,small hope,the attainable,the feasible,the possible,thinkability,thinkableness,unlikelihood,virtuality,what is possible,what may be,what might be 1851 - bare,Spartan,absolute,and,ascetic,austere,bald,bankrupt,bare-ass,bared,barren,basic,bland,blank,bleached,bleak,break the seal,bring to light,candid,characterless,chaste,clarified,clear,cleared,cold,common,commonplace,deep-worn,defoliate,defoliated,denudate,denude,denuded,deobstruct,depleted,deprive,desert,desolate,destitute,develop,devoid,direct,disclose,disclosed,discover,dismantle,dismask,disrobe,distilled,divest,divested,divulge,dog-eared,draw the veil,dried-up,dry,dull,elementary,emptied,empty,essential,exhausted,exhibit,expose,exposed,featureless,fleece,frank,free,fundamental,gymnosophical,hairless,hard,hatless,hollow,homely,homespun,homogeneous,impart,in native buff,in puris naturalibus,in the altogether,in the buff,in the raw,inane,indivisible,insipid,irreducible,lay bare,lay open,lean,let daylight in,let out,literal,manifest,matter-of-fact,mere,minimal,monolithic,naked,natural,naturistic,neat,nude,nudist,null,null and void,of a piece,open,open as day,open to all,open up,out-and-out,overt,patefy,peeled,plain,plain-speaking,plain-spoken,pluck,primal,primary,prosaic,prosing,prosy,pure,pure and simple,purified,raise the curtain,raw,rectified,remove,reveal,revealed,rustic,scant,scanty,sere,severe,shear,sheer,shelfworn,shopworn,shorn,show,show up,simon-pure,simple,simple-speaking,single,sober,spare,stark,stark-naked,straight,straightforward,strip,strip bare,stripped,tell,threadbare,timeworn,unadorned,unadulterated,unaffected,unalloyed,unarrayed,unattired,unblended,unblock,uncase,unclad,unclassified,unclench,uncloak,unclog,unclogged,unclosed,unclothed,unclutch,uncluttered,uncombined,uncomplicated,uncompounded,unconcealed,uncork,uncorrupted,uncover,uncovered,uncurtain,undecked,undecorated,undifferenced,undifferentiated,undiluted,undisguised,undo,undrape,undress,undressed,unembellished,unenhanced,unfilled,unfold,unfortified,unfoul,unfurbished,unfurl,ungarnished,unhidden,uniform,unimaginative,unkennel,unlatch,unleavened,unlock,unmask,unmingled,unmixed,unobstructed,unornamented,unpack,unplug,unpoetical,unrelieved,unrestricted,unrobed,unroll,unscreen,unseal,unsheathe,unshod,unshroud,unshut,unsophisticated,unstop,unstopped,unsupplied,untinged,untrimmed,unvarnished,unveil,unwrap,vacant,vacuous,void,well-worn,white,wide-open,with nothing inside,with nothing on,without a stitch,without content,worn,worn ragged,worn to rags,worn to threads,worn-down 1852 - barefaced,arrant,audacious,aweless,bare-ankled,bare-armed,bare-backed,bare-breasted,bare-chested,bare-handed,bare-headed,bare-legged,bare-necked,blatant,blunt,bold,bold as brass,boldfaced,brassy,brazen,brazenfaced,candid,cheeky,downright,forward,frank,immodest,impertinent,impudent,indecent,indecorous,insolent,lost to shame,manifest,open,out-and-out,outright,overbold,pert,plain,saucy,shameless,sheer,swaggering,topless,unabashed,unalloyed,unblushing,unconcealed,undiluted,undisguised,unmitigated,unseemly 1853 - barely,a bit,a little,alone,baldly,by a hair,by an ace,closely,ever so little,exclusively,exiguously,faintly,feebly,hardly,imperfectly,inappreciably,inconsequentially,insignificantly,just,just a bit,lightly,little,meagerly,merely,minimally,minutely,nakedly,narrowly,nearly,negligibly,not hardly,not quite,only,only just,plainly,purely,scantily,scarce,scarcely,simply,simply and solely,singly,slightly,solely,tant soit peu,triflingly,weakly 1854 - barf,be nauseated,be seasick,be sick,bring up,cascade,cast,choke on,chuck up,disgorge,disgorgement,egest,egesta,egestion,feed the fish,feel disgust,gag,gagging,heave,heave the gorge,heaves,heaving,keck,nausea,puke,regurgitate,regurgitation,reject,retch,sick up,sicken at,spew,throw up,upchuck,vomit,vomiting,vomition 1855 - barfly,alcoholic,alcoholic addict,bacchanal,bacchanalian,bibber,big drunk,boozer,carouser,chronic alcoholic,chronic drunk,devotee of Bacchus,dipsomaniac,drinker,drunk,drunkard,guzzler,hard drinker,heavy drinker,imbiber,inebriate,lovepot,oenophilist,pathological drinker,pot companion,problem drinker,reveler,serious drinker,shikker,soaker,social drinker,sot,swigger,swiller,thirsty soul,tippler,toper,tosspot,wassailer,winebibber 1856 - barfy,airsick,bad,brackish,bum,carsick,cheesy,cloying,crappy,creepy,crummy,dirty,disgusting,fecal,feculent,fetid,filthy,flyblown,foul,fulsome,gloppy,godawful,goshawful,grim,gunky,hairy,high,icky,maggoty,malodorous,mawkish,mephitic,mucky,nasty,nauseant,nauseated,nauseating,nauseous,noisome,noxious,odious,offensive,ordurous,overripe,poisonous,pukish,puky,punk,putrid,qualmish,qualmy,queasy,rancid,rank,rebarbative,repulsive,rotten,scabby,scummy,scurfy,seasick,shitty,sickening,slabby,slimy,sloppy,sloshy,sludgy,slushy,spoiled,sposhy,squeamish,stinking,stinky,vile,vomity,weevily,wormy,yecchy,yucky 1857 - bargain for,agree,agree to,bank on,bargain,be a bargain,be a deal,be a go,be on,calculate on,come to terms,compact,contract,count on,covenant,do a deal,engage,figure on,make a bargain,make a deal,make a dicker,plan on,promise,reckon on,shake hands,shake on it,stipulate,strike a bargain,undertake 1858 - bargain,abatement of differences,accommodation,accord,act between,adjustment,advantageous purchase,advise with,agree,agree to,agreement,allow for,anticipate,arbitrate,arrange,arrangement,bargain for,barter,beat down,bid,bid for,binding agreement,blind bargain,bond,buy,call in,cartel,chaffer,cheapen,collective agreement,collogue,compact,compare notes,composition,compromise,concession,confer,confer with,consortium,consult,consult with,contract,convention,cop-out,counsel,count on,covenant,covenant of salt,deal,deliberate,desertion of principle,dicker,discuss,discuss with,do a deal,drive a bargain,employment contract,engage,evasion of responsibility,exchange,exchange observations,exchange views,expect,foresee,formal agreement,give-and-take,giveaway,giving way,go between,good buy,good deal,good pennyworth,haggle,hard bargain,have conversations,higgle,hold conference,horse trade,huckster,intercede,intermediate,interpose,intervene,ironclad agreement,jew down,judge,legal agreement,legal contract,make a deal,make terms,mediate,meet halfway,moderate,mutual agreement,mutual concession,negotiate,outbid,pact,paction,palaver,palter,parley,pennyworth,powwow,promise,protocol,put heads together,reason with,refer to,referee,represent,settlement,sit down together,sit down with,steal,step in,stipulate,stipulation,surrender,swap,take counsel,take into account,take up with,talk over,trade,trade-in,traffic,transaction,treat with,truck,umpire,underbid,understanding,undertake,union contract,valid contract,wage contract,yielding 1859 - bargaining,audience,bargaining session,chaffer,chaffering,collective bargaining,coming to terms,conclave,confab,confabulation,conference,confrontation,congress,consultation,convention,council,council fire,council of war,dickering,discussion,exchange of views,eyeball-to-eyeball encounter,haggle,haggling,higgling,high-level talk,huddle,interchange of views,interview,meeting,negotiation,negotiations,news conference,package bargaining,palaver,parley,pattern bargaining,pourparler,powwow,press conference,seance,session,sitting,summit,summit conference,summitry 1860 - barge in,admit,be admitted,break in,break in upon,breeze in,burst in,bust in,butt in,charge in,come barging in,come between,come breezing in,come busting in,come in,crash,crash in,crash the gates,creep in,cross the threshold,crowd in,cut in,drop in,edge in,elbow in,encroach,enter,entrench,foist in,gain admittance,get in,go in,go into,have an entree,have an in,hop in,horn in,impinge,impose,impose on,impose upon,infiltrate,infringe,insert,insinuate,interfere,interlope,interpose,intervene,intrude,invade,irrupt,jam in,jump in,look in,obtrude,pack in,pop in,press in,push in,put in,put on,put upon,rush in,set foot in,slink in,slip in,smash in,sneak in,squeeze in,steal in,step in,storm in,take in,throng in,thrust in,trench,trespass,visit,wedge in,work in,worm in 1861 - barge,amble,boat,bowl along,bundle,bus,cart,clump,coach,drag,dray,ferry,float,flounce,foot,footslog,halt,haul,hippety-hop,hitch,hobble,hop,jog,jolt,jump,lighter,limp,lumber,lunge,lurch,mince,pace,paddle,peg,piaffe,piaffer,plod,prance,rack,raft,roll,sashay,saunter,scuff,scuffle,scuttle,shamble,ship,shuffle,sidle,single-foot,skip,sled,sledge,slink,slither,slog,slouch,stagger,stalk,stamp,stomp,straddle,straggle,stride,stroll,strut,stumble,stump,swagger,swing,tittup,toddle,totter,traipse,trip,truck,trudge,van,waddle,wagon,wamble,wheelbarrow,wiggle,wobble 1862 - baring,apocalypse,denudation,desquamation,disclosing,disclosure,discovering,discovery,divestment,excoriation,exfoliation,exhibitionism,expose,exposition,exposure,indecent exposure,laying bare,manifestation,patefaction,removal,removing the veil,revealing,revealment,revelation,showing up,showup,stripping,uncloaking,uncovering,unfolding,unfoldment,unmasking,unveiling,unwrapping 1863 - baritone,Heldentenor,Meistersinger,accompaniment,alpenhorn,alphorn,althorn,alto,alto horn,aria singer,ballad horn,baritenor,bass,bass horn,bass viol,basso,basso buffo,basso cantante,basso continuo,basso ostinato,basso profundo,bassus,blues singer,brass choir,brass wind,brass-wind instrument,brasses,bravura,bugle,bugle horn,canary,cantatrice,canto,cantor,cantus,cantus figuratus,cantus planus,caroler,chanter,chantress,choral,choric,clarion,coloratura,coloratura soprano,comic bass,continuo,contralto,cornet,cornet-a-pistons,corno di caccia,cornopean,countertenor,crooner,deep,deep bass,deep-echoing,deep-pitched,deep-toned,deepmouthed,descant,descant viol,diva,double-bell euphonium,dramatic,dramatic soprano,drone,euphonium,falsetto,figured bass,grave,ground bass,heavy,helicon,heroic,heroic tenor,hollow,horn,hunting horn,hymnal,hymner,improvisator,key trumpet,lead singer,lieder singer,line,liturgical,lituus,low,low-pitched,lur,lyric,mellophone,melodist,mezzo-soprano,opera singer,operatic,ophicleide,orchestral horn,part,plain chant,plain song,pocket trumpet,post horn,prick song,prima donna,psalm singer,psalmic,psalmodial,psalmodic,rebec,rock-and-roll singer,sackbut,sacred,saxhorn,saxtuba,sepulchral,serpent,singer,singing,singstress,slide trombone,sliphorn,songbird,songster,songstress,soprano,sousaphone,tenor,tenor tuba,tenor viol,thorough bass,torch singer,treble,treble viol,tromba,tromba marina,trombone,trumpet,trumpet marine,tuba,undersong,valve trombone,valve trumpet,vielle,viol,viol family,viola bastarda,viola da braccio,viola da gamba,viola da spalla,viola di bordone,viola di fagotto,viola pomposa,violette,vocal,vocalist,vocalizer,voice,voice part,warbler,yodeler 1864 - bark,ablate,abrade,abrase,advertise,animal noise,argosy,ballyhoo,bang,barking,battle cry,bawl,bay,bell,bellow,bill,birdcall,blare,blast,blat,blate,bleat,blemish,bloody,blubber,boat,boom,boost,bottom,bran,bray,break,breathe,bucket,build up,bulletin,burn,burst,buzz,cackle,call,capsule,case,caterwaul,chafe,chaff,chant,check,cheer,chip,chirp,circularize,clang,claw,coo,cork,corn shuck,cornhusk,cortex,crack,craft,craze,crow,cry,cry up,cut,decorticate,detonate,detonation,discharge,drawl,epicarp,erase,erode,establish,exclaim,excoriate,explode,explosion,file,flay,flute,fracture,fray,frazzle,fret,fulminate,fulmination,fusillade,gall,gash,gasp,give a write-up,give publicity,give tongue,give voice,gnaw,gnaw away,go off,grate,graze,grind,growl,grunt,gunshot,hail,halloo,hiss,holler,hollo,hooker,hoot,howl,howling,hulk,hull,hurrah,hurt,husk,incise,injure,jacket,keel,keen,lacerate,leviathan,lilt,low,maim,make mincemeat of,mating call,maul,meow,mew,mewl,miaow,moo,mumble,murmur,mutilate,mutter,neigh,nicker,note,packet,palea,pant,pare,peel,peeling,phellum,pierce,pipe,placard,plug,pod,pop,post,post bills,post up,press-agent,promote,publicize,puff,pule,puncture,rallying cry,rasp,raze,rend,rind,rip,roar,rub away,rub off,rub out,rumble,run,rupture,salvo,savage,scald,scalp,scorch,scotch,scour,scrape,scratch,screak,scream,screech,scrub,scuff,sell,shell,ship,shot,shout,shriek,shuck,sibilate,sigh,sing,skin,slash,slit,snap,snarl,snort,sob,spiel,sprain,squall,squawk,squeak,squeal,stab,stick,strain,stridulation,strip,tear,thunder,traumatize,troat,trumpet,tub,twang,ululate,ululation,vessel,volley,wail,war cry,war whoop,warble,watercraft,wear,wear away,whicker,whine,whinny,whisper,whoop,woodnote,wound,wrench,write up,yammer,yap,yawl,yawp,yell,yelp,yip,yo-ho,yowl 1865 - barker,MC,auteur,ballyhoo man,ballyhooer,callboy,canvasser,costume designer,costumer,costumier,director,emcee,equestrian director,exhibitor,impresario,makeup man,master of ceremonies,pitchman,playreader,producer,prompter,ringmaster,scenewright,set designer,showman,solicitor,spieler,stage director,stage manager,theater man,theatrician,ticket collector,tout,touter,usher,usherer,usherette 1866 - barley,bird seed,bran,cat food,chicken feed,chop,corn,dog food,eatage,ensilage,feed,fodder,forage,grain,hay,mash,meal,oats,pasturage,pasture,pet food,provender,scratch,scratch feed,silage,slops,straw,swill,wheat 1867 - barmaid,barkeep,barkeeper,barman,bartender,bootlegger,brewer,brewmaster,busboy,carhop,counterman,distiller,headwaiter,hostess,liquor dealer,liquor store owner,mixologist,moonshiner,publican,sommelier,tapster,tapstress,vintner,waiter,waitress,wine merchant,wine steward 1868 - barmaster,JA,amicus curiae,assessor,chancellor,circuit judge,judge advocate,judge ordinary,jurat,justice in eyre,justice of assize,lay judge,legal assessor,master,military judge,ombudsman,ordinary,police judge,presiding judge,probate judge,puisne judge,recorder,vice-chancellor 1869 - barmy,balmy,bananas,bats,batty,beany,bonkers,buggy,bughouse,bugs,crackers,cuckoo,daffy,diastatic,dippy,dotty,enzymic,fermenting,flaky,flipped,foam-flecked,foamy,freaked-out,frothy,fruitcakey,fruity,gaga,goofy,haywire,heady,just plain nuts,kooky,lathery,leavening,loony,loopy,nuts,nutty,off the hinges,off the track,off the wall,potty,raising,round the bend,screwball,screwballs,screwy,slaphappy,soapsuddy,soapsudsy,soapy,spumose,spumous,spumy,suddy,sudsy,wacky,working,yeasty 1870 - barnacle,adherent,adhesive,beat,bloodsucker,bramble,brier,bulldog,burr,cement,deadbeat,decal,decalcomania,freeloader,glue,gunk,hanger-on,leech,limpet,lounge lizard,molasses,mucilage,parasite,paste,plaster,prickle,remora,smell-feast,spiv,sponge,sponger,sticker,sucker,syrup,thorn 1871 - barnstorm,act,act as foil,appear,come out,control,copilot,drive,emote,emotionalize,fly,get top billing,manipulate,mime,pantomime,patter,peel off,perform,pilot,play,play the lead,playact,register,sketch,solo,star,steal the show,stooge,tread the boards,troupe,upstage 1872 - barnyard,arable land,barton,cattle ranch,chicken farm,collective farm,cotton plantation,croft,dairy farm,demesne,demesne farm,dry farm,dude ranch,factory farm,fallow,farm,farmery,farmhold,farmland,farmplace,farmstead,farmyard,fruit farm,fur farm,grain farm,grange,grassland,hacienda,homecroft,homefarm,homestead,kibbutz,kolkhoz,location,mains,manor farm,orchard,pasture,pen,plantation,poultry farm,ranch,rancheria,rancho,sheep farm,station,steading,stock farm,toft,truck farm 1873 - barometer,aerological instrument,aneroid barometer,aneroidograph,barograph,barometrograph,canon,check,criterion,degree,feeler,gauge,glass,graduated scale,hurricane-hunter aircraft,hygrometer,measure,model,norm,parameter,pattern,pilot balloon,probe,quantity,radiosonde,random sample,reading,readout,recording barometer,rule,sample,scale,sound,sounder,standard,straw vote,test,touchstone,trial balloon,type,vacuometer,value,weather balloon,weather instrument,weather satellite,weather vane,weathercock,weatherglass,yardstick 1874 - baron,Brahman,Establishment,VIP,archduke,aristocracy,aristocrat,armiger,banker,baronet,barons,big boss,big businessman,big gun,big man,big name,bigwig,blue blood,brass,brass hat,business leader,businessman,captain of industry,celebrity,count,cream,czar,daimio,dignitary,dignity,director,duke,earl,elder,elite,enterpriser,entrepreneur,esquire,establishment,father,figure,financier,gentleman,grand duke,grandee,great man,hidalgo,important person,industrialist,interests,king,lace-curtain,laird,landgrave,lion,little businessman,lord,lordling,lords of creation,magnate,magnifico,man of commerce,man of mark,manager,margrave,marquis,merchant prince,mogul,nabob,name,nobility,noble,nobleman,notability,notable,optimate,overlapping,palsgrave,panjandrum,patrician,peer,person of renown,personage,personality,pillar of society,power,power elite,power structure,prince,ruling circle,ruling circles,ruling class,sachem,seigneur,seignior,silk-stocking,somebody,something,squire,swell,the best,the best people,the brass,the great,the top,thoroughbred,top brass,top executive,top people,tycoon,upper class,upper crust,upper-cruster,very important person,viscount,waldgrave,worthy 1875 - baronet,Bayard,Brahman,Don Quixote,Gawain,Lancelot,Ritter,Sidney,Sir Galahad,archduke,aristocrat,armiger,bachelor,banneret,baron,blue blood,caballero,cavalier,chevalier,companion,count,daimio,duke,earl,esquire,gentleman,grand duke,grandee,hidalgo,knight,knight bachelor,knight banneret,knight baronet,knight-errant,lace-curtain,laird,landgrave,lord,lordling,magnate,magnifico,margrave,marquis,noble,nobleman,optimate,palsgrave,patrician,peer,seigneur,seignior,silk-stocking,squire,swell,thoroughbred,upper-cruster,viscount,waldgrave 1876 - baroque,Gothic,arabesque,bizarre,brain-born,busy,chichi,deformed,dream-built,elaborate,elegant,embellished,extravagant,fanciful,fancy,fancy-born,fancy-built,fancy-woven,fantasque,fantastic,fine,flamboyant,florid,flowery,freak,freakish,frilly,fussy,gilt,grotesque,high-wrought,labored,luscious,luxuriant,luxurious,maggoty,malformed,misbegotten,misshapen,monstrous,moresque,notional,ornamented,ornate,ostentatious,outlandish,overelaborate,overelegant,overlabored,overworked,overwrought,picturesque,preposterous,pretty-pretty,rich,rococo,scrolled,teratogenic,teratoid,whimsical,wild 1877 - barrage,aim at,antiaircraft barrage,arch dam,backstop,bamboo curtain,bank,bar,barrier,bear-trap dam,beat,beating,beaver dam,blast,blitz,bombard,bombardment,boom,box barrage,breakwater,breastwork,brick wall,broadside,buffer,bulkhead,bulwark,burst,cannon,cannonade,cannonry,cofferdam,commence firing,creeping barrage,dam,defense,dike,ditch,drum,drum music,drumbeat,drumfire,drumming,earthwork,embankment,emergency barrage,enfilade,eruption,fence,fire a volley,fire at,fire upon,flare,flutter,fusillade,gate,gravity dam,groin,hail,hydraulic-fill dam,iron curtain,jam,jetty,leaping weir,levee,logjam,milldam,moat,mole,mortar,mortar barrage,mound,normal barrage,open fire,open up on,outburst,palpitation,paradiddle,parapet,patter,pepper,pitapat,pitter-patter,pop at,portcullis,pound,pounding,pulsation,rake,rampart,rat-a-tat,rat-tat,rat-tat-tat,rataplan,rattattoo,roadblock,rock-fill dam,roll,rub-a-dub,ruff,ruffle,salvo,seawall,shell,shoot,shoot at,shower,shutter dam,snipe,snipe at,spatter,splutter,spray,sputter,staccato,standing barrage,stone wall,storm,strafe,stream,surge,take aim at,tat-tat,tattoo,throb,throbbing,thrum,thumping,tom-tom,tornado,torpedo,volley,wall,weir,wicket dam,work,zero in on 1878 - barred,absurd,banded,banned,beleaguered,beset,besieged,blockaded,bound,brinded,brindle,brindled,cabined,caged,cancellated,cloistered,closed-in,closed-out,confined,contraband,contrary to reason,cooped,cordoned,cordoned off,corralled,cramped,cribbed,crossbarred,debarred,deported,ejected,enclosed,excluded,exiled,expelled,fenced,filigreed,forbade,forbid,forbidden,grated,gridded,hedged,hemmed,hopeless,illegal,illicit,immured,impossible,imprisoned,incarcerated,inconceivable,jailed,laced,lacelike,lacy,latticelike,leaguered,left out,liquidated,listed,logically impossible,marbled,marbleized,meshed,meshy,mewed,mullioned,netlike,netted,netty,nonpermissible,not in it,not included,not permitted,not possible,off limits,out of bounds,outlawed,oxymoronic,paled,paradoxical,penned,pent-up,plexiform,precluded,preposterous,prohibited,purged,quarantined,railed,restrained,reticular,reticulate,reticulated,retiform,ridiculous,ruled out,ruled-out,self-contradictory,shut out,shut-in,streaked,streaky,striatal,striate,striated,strigate,strigose,striolate,striped,stripy,tabby,taboo,tabooed,unallowed,unauthorized,under the ban,unimaginable,unlawful,unlicensed,unpermissible,unsanctioned,unthinkable,untouchable,veined,verboten,vetoed,walled,walled-in,watered 1879 - barrel,abundance,acres,bag,bags,ball the jack,barb,barbule,barrels,basket,beeline,bole,boom,bottle,bowl along,box,box up,breeze,breeze along,brush,burden,bushel,butt,can,capsule,carton,case,cask,cilium,clip,column,copiousness,countlessness,crate,cut along,cylinder,cylindroid,drum,encase,encyst,filament,filamentule,fill,fleet,flit,flood,fly,fly low,foot,freight,go fast,great deal,hamper,hasten,heap,heap up,highball,hogshead,hustle,jar,keg,lade,lashings,load,lot,lump,make knots,mass,mess,mountain,much,multitude,nip,numerousness,ocean,oceans,outstrip the wind,pack,pack away,package,parcel,peck,pile,pillar,pipe,plenitude,plenty,pocket,pot,pour it on,power,profusion,quantities,quantity,quill,rip,rocket,roll,roller,rouleau,run,rush,sack,scorch,sea,shaft,ship,sight,sizzle,skim,smoke,spate,speed,stack,store,storm along,stow,superabundance,superfluity,sweep,tank,tear,tear along,thunder along,tin,tons,trunk,tube,tun,volume,whisk,whiz,world,worlds,zing,zip,zoom 1880 - barren,abortive,acarpous,arid,bare,blah,bland,blank,bleached,bleak,bloodless,bootless,celibate,characterless,childless,clear,cold,colorless,counterproductive,dead,depleted,desert,desolate,devoid,dismal,draggy,drained,drearisome,dreary,dried-up,dry,dryasdust,dull,dusty,earthbound,effete,elephantine,empty,etiolated,exhausted,fade,fallow,fatuitous,fatuous,featureless,feckless,flat,fruitless,futile,gainless,gaunt,gelded,heavy,ho-hum,hollow,impotent,impoverished,inadequate,inane,ineffective,ineffectual,inefficacious,inexcitable,infecund,infertile,inoperative,insipid,invalid,irreclaimable,issueless,jejune,leached,leaden,lifeless,literal,low-spirited,menopausal,mundane,nonfertile,nonproducing,nonproductive,nonprolific,nonremunerative,nugacious,nugatory,null,null and void,of no force,otiose,pale,pallid,parched,pedestrian,plodding,pointless,poky,ponderous,poor,profitless,prosaic,prosing,prosy,rewardless,sine prole,slow,solemn,spiritless,staid,sterile,stiff,stodgy,stolid,stuffy,sucked dry,superficial,tasteless,tedious,teemless,unavailing,uncultivable,uncultivated,unfanciful,unfertile,unfruitful,unideal,unimaginative,uninspired,uninventive,unlively,unoriginal,unplowed,unpoetic,unproductive,unprofitable,unprolific,unrelieved,unremunerative,unrewarding,unromantic,unromanticized,unsown,untilled,useless,vacant,vacuous,vain,vapid,virgin,void,waste,wasted,wasteland,white,wild,wilderness,wildness,with nothing inside,without content,without issue,wooden,worn-out 1881 - barrens,Arabia Deserta,Death Valley,Sahara,barren,barren land,brush,bush,desert,desolation,dust bowl,heath,howling wilderness,karroo,lunar landscape,lunar waste,outback,salt flat,waste,wasteland,weary waste,wild,wilderness,wilds 1882 - barricade,abatis,advanced work,arm,armor,armor-plate,balistraria,bang,bank,banquette,bar,barbed-wire entanglement,barbican,barrier,bartizan,bastion,batten,batten down,battle,battlement,blank wall,block,block up,blockade,bolt,breastwork,bulwark,button,button up,casemate,castellate,cheval-de-frise,chock,choke,choke off,circumvallation,clap,close,close off,close tight,close up,constrict,contain,contract,contravallation,counterscarp,cover,crenellate,crowd,curtain,debar,demibastion,dig in,dike,dog,drawbridge,earthwork,embattle,enclosure,entanglement,entrench,escarp,escarpment,fasten,fence,fieldwork,fold,fold up,fortalice,fortification,fortify,garrison,glacis,jam,key,latch,lock,lock out,lock up,loophole,lunette,machicolation,man,man the garrison,mantelet,merlon,mine,mound,obstruct,occlude,outwork,pack,padlock,palisade,parados,parapet,plumb,portcullis,postern gate,rampart,ravelin,redan,redoubt,roadblock,sally port,scarp,sconce,seal,seal off,seal up,secure,shut,shut off,shut out,shut the door,shut tight,shut up,slam,snap,squeeze,squeeze shut,stifle,stockade,stop,stop up,strangle,strangulate,suffocate,tenaille,vallation,vallum,wall,work,zip up,zipper 1883 - barrier,abatis,advanced work,arch dam,backstop,balistraria,balustrade,bamboo curtain,bank,banquette,bar,barbed-wire entanglement,barbican,barrage,barricade,bartizan,bastion,battlement,bear-trap dam,beaver dam,blank wall,blind alley,blind gut,block,blockade,blockage,bolt,boom,bottleneck,boundary,brattice,breakwater,breastwork,brick wall,buffer,buffer state,bulkhead,bulwark,bumper,casemate,cecum,cheval-de-frise,choking,choking off,circumvallation,clog,cloison,cofferdam,collision mat,congestion,constipation,contravallation,costiveness,counterscarp,cul-de-sac,curtain,cushion,dam,dead end,defense,demibastion,diaphragm,dike,dissepiment,ditch,dividing line,dividing wall,division,drawbridge,earthwork,embankment,embolism,embolus,enclosure,entanglement,escarp,escarpment,fence,fender,fieldwork,fortalice,fortification,frontier,gate,glacis,gorge,gravity dam,groin,ha-ha,hindrance,hydraulic-fill dam,impasse,impediment,infarct,infarction,interseptum,iron curtain,jam,jetty,leaping weir,levee,limit,lock,logjam,loophole,lunette,machicolation,mantelet,mat,merlon,midriff,midsection,milldam,moat,mole,mound,obstacle,obstipation,obstruction,outwork,pad,padlock,palisade,panel,parados,parapet,paries,partition,party wall,portcullis,postern gate,property line,rail,railing,rampart,ravelin,redan,redoubt,roadblock,rock-fill dam,sally port,scarp,sconce,sealing off,seawall,separation,septulum,septum,shock pad,shutter dam,stockade,stone wall,stop,stoppage,strangulation,tenaille,vallation,vallum,wall,weir,wicket dam,work 1884 - barring,aside from,ban,bar,beside,besides,blockade,boycott,but,circumscription,debarment,debarring,demarcation,discounting,embargo,ex,except,except for,excepting,exception,exception taken of,excluding,exclusion,exclusive of,from,inadmissibility,injunction,leaving out,less,let alone,lockout,minus,narrowing,nonadmission,not counting,off,omission,omitting,outside of,precluding,preclusion,prohibition,rejection,relegation,repudiation,restriction,save,save and except,saving,taboo,than,unless,without 1885 - barrio,Bowery,Chinatown,East End,East Side,Little Hungary,Little Italy,West End,West Side,black ghetto,blighted area,business district,central city,city center,core,downtown,ghetto,greenbelt,inner city,midtown,outskirts,red-light district,residential district,run-down neighborhood,shopping center,skid road,skid row,slum,slums,suburbia,suburbs,tenderloin,tenement district,uptown,urban blight 1886 - barrister,advocate,agent,amicus curiae,attorney,attorney-at-law,barrister-at-law,counsel,counselor,counselor-at-law,deputy,friend at court,intercessor,lawyer,legal adviser,legal counselor,legal expert,legal practitioner,legalist,mouthpiece,pleader,proctor,procurator,sea lawyer,self-styled lawyer,solicitor 1887 - barroom,alehouse,bar,barrel house,beer garden,beer parlor,bistro,blind tiger,cabaret,cafe,cocktail lounge,dive,dramshop,drinkery,drinking saloon,gin mill,groggery,grogshop,honky-tonk,local,lounge,nightclub,pothouse,pub,public,public house,rathskeller,rumshop,saloon,saloon bar,speakeasy,taproom,tavern,wine shop 1888 - barrow,anthill,arch,beehive tomb,boar,bone house,boundary stone,box grave,brae,brass,burial,burial chamber,burial mound,bust,butte,cairn,catacombs,cenotaph,charnel house,cist,cist grave,column,cromlech,cross,crypt,cup,cyclolith,deep six,dokhma,dolmen,down,drumlin,dune,fell,foothills,footstone,gilt,grave,gravestone,headstone,hill,hillock,hoarstone,hog,house of death,hummock,inscription,knob,knoll,last home,long home,low green tent,low house,marker,mastaba,mausoleum,megalith,memento,memorial,memorial arch,memorial column,memorial statue,memorial stone,menhir,molehill,monolith,monstrance,monticle,monticule,monument,moor,mound,mummy chamber,narrow house,necrology,obelisk,obituary,ossuarium,ossuary,passage grave,pig,piggy,piglet,pigling,pillar,pit,plaque,porker,prize,pyramid,razorback,reliquary,remembrance,resting place,ribbon,rostral column,sand dune,sepulcher,shaft,shaft grave,shoat,shrine,sow,stela,stone,stupa,suckling pig,swell,swine,tablet,testimonial,tomb,tombstone,tope,tower of silence,trophy,tumulus,tusker,vault,wild boar 1889 - bartender,barkeep,barkeeper,barmaid,barman,bootlegger,brewer,brewmaster,busboy,carhop,counterman,distiller,headwaiter,hostess,liquor dealer,liquor store owner,mixologist,moonshiner,publican,sommelier,tapster,tapstress,vintner,waiter,waitress,wine merchant,wine steward 1890 - barter,abalienate,abalienation,agency,alien,alienate,alienation,amortization,amortize,amortizement,assign,assignation,assignment,backscratching,bargain,bargain and sale,bartering,bequeath,bequeathal,brokerage,buy and sell,buying and selling,cede,cession,change,confer,conferment,conferral,consign,consignation,consignment,convey,conveyance,conveyancing,deal,dealing,deed,deed over,deeding,deliver,deliverance,delivery,demise,devolve upon,disposal,disposition,do business,doing business,enfeoff,enfeoffment,even trade,exchange,give,give in exchange,give title to,give-and-take,giving,hand,hand down,hand on,hand over,horse trading,horse-trade,interchange,jobbing,lease and release,logrolling,make over,merchandising,negotiate,pass,pass on,pass over,pork barrel,retailing,sale,sell,settle,settle on,settlement,settling,sign away,sign over,surrender,swap,swap horses,swapping,switch,take in exchange,trade,trade in,trade off,trade sight unseen,trading,traffic,trafficking,transfer,transference,transmission,transmit,transmittal,truck,turn over,vesting,wheeling and dealing,wholesaling 1891 - bartizan,abatis,advanced work,balistraria,bank,banquette,barbed-wire entanglement,barbican,barricade,barrier,bastion,battlement,breastwork,bulwark,casemate,cheval-de-frise,circumvallation,contravallation,counterscarp,curtain,demibastion,dike,drawbridge,earthwork,enclosure,entanglement,escarp,escarpment,fence,fieldwork,fortalice,fortification,glacis,loophole,lunette,machicolation,mantelet,merlon,mound,outwork,palisade,parados,parapet,portcullis,postern gate,rampart,ravelin,redan,redoubt,sally port,scarp,sconce,stockade,tenaille,vallation,vallum,work 1892 - bas relief,anaglyph,bellying,boldness,boss,bulging,cameo,cameo glass,cavo-rilievo,cut glass,embossment,eminence,excrescence,excrescency,extrusion,gibbosity,gibbousness,glyph,glyptograph,high relief,intaglio,intaglio rilevato,intaglio rilievo,low relief,mask,medal,medallion,plaquette,projection,prominence,protrusion,protuberance,protuberancy,relief,relievo,salience,salient,sculptured glass,tuberosity,tuberousness 1893 - basal,ab ovo,aboriginal,basic,basilar,beginning,bottom,bottommost,central,constituent,constitutive,crucial,elemental,elementary,embryonic,essential,foundational,fundamental,generative,genetic,germinal,gut,in embryo,in ovo,lowermost,lowest,material,nethermost,of the essence,original,pregnant,primal,primary,primeval,primitive,primordial,pristine,protogenic,radical,rudimental,rudimentary,seminal,substantial,substantive,underlying,undermost 1894 - basalt,aa,abyssal rock,bedrock,block lava,brash,breccia,conglomerate,crag,druid stone,festooned pahoehoe,gneiss,granite,igneous rock,lava,limestone,living rock,magma,mantlerock,metamorphic rock,monolith,pahoehoe,pillow lava,porphyry,pudding stone,regolith,rock,ropy lava,rubble,rubblestone,sandstone,sarsen,schist,scoria,scree,sedimentary rock,shelly pahoehoe,stone,talus,tufa,tuff 1895 - base pay,compensation,dismissal wage,earnings,escalator clause,escalator plan,financial remuneration,gross income,guaranteed annual wage,hire,income,living wage,minimum wage,net income,pay,pay and allowances,payment,payroll,portal-to-portal pay,purchasing power,real wages,remuneration,salary,severance pay,sliding scale,take-home,take-home pay,taxable income,total compensation,wage,wage control,wage freeze,wage reduction,wage rollback,wage scale,wages,wages after deductions,wages after taxes 1896 - base,CP,GHQ,HQ,Mickey Mouse,abhorrent,abject,abominable,acid,acidity,agent,alkali,alkalinity,alloisomer,anchor,angle,anion,antacid,antecedents,arrant,atom,atrocious,awful,background,bad,baluster,balustrade,banister,base of operations,base-minded,baseboard,baseborn,basement,basis,bearing wall,beastly,bed,bed on,bedding,bedrock,beggarly,below contempt,beneath contempt,biochemical,black,blackguardly,blamable,blameworthy,bolster,bottom,bottom on,brutal,build,build in,build on,buttress,caitiff,call,camp,caryatid,cation,causation,cause,cause and effect,center of authority,central administration,central office,central station,chassis,cheap,cheesy,chemical,chemical element,chromoisomer,clown white,coarse,cold cream,collector,colonnade,column,command post,common,compact,company headquarters,compound,construct,contemptible,copolymer,core,corrupt,cosmetics,counterfeit,cowardly,craven,criminal,crude,crummy,dado,damnable,dark,dastard,dastardly,debased,deficient,degraded,degrading,deplorable,depraved,derive,despicable,determinant,determinative,detestable,die,dimer,dire,dirty,disgraceful,disgusting,dishonorable,disreputable,distance,downtrodden,draw,dreadful,drugstore complexion,dunghill,dunghilly,egregious,element,emitter,enormous,establish,etiology,evil,evil-minded,execrable,eye shadow,eyebrow pencil,factor,fake,fetid,filamentary transistor,filthy,fix,flagitious,flagrant,floor,flooring,fond,foot,footing,footstalk,forbidding,forged,form,foul,found,found on,foundation,foundation cream,fourth-class,frame,framework,fraudulent,fulsome,fundament,fundamental,general headquarters,germanium crystal triode,grave,greasepaint,grievous,gross,ground,ground on,grounds,groundwork,hand cream,hand lotion,hardpan,hateful,headquarters,heavy chemicals,heinous,high polymer,hinge,home,homopolymer,hook-collector transistor,horrible,horrid,humble,humiliating,hydracid,ignoble,ignominious,imperfect,improper,inadequate,incompetent,indecent,infamous,inferior,infra dig,infrastructure,iniquitous,inorganic chemical,install,insufferable,insufficient,invest,ion,irregular,isomer,jack,keel,knavish,lamentable,lascivious,lay the foundation,lewd,line of departure,lip rouge,lipstick,little,loathsome,lousy,low,low-class,low-down,low-grade,low-minded,low-quality,low-test,lowborn,lower strata,lowest level,lowest point,lowly,lumpen,macromolecule,main office,makeup,maladroit,malodorous,mangy,mascara,mean,measly,mediocre,menial,mephitic,metamer,miasmal,miasmic,miserable,molecule,monomer,monstrous,mopboard,mudpack,nadir,nail polish,nasty,naughty,nauseating,nefarious,neutralizer,newel-post,noisome,nonacid,not comparable,not in it,notorious,noxious,objectionable,obnoxious,obscene,occasion,odious,offensive,organic chemical,ornery,out of it,outrageous,oxyacid,paint,paltry,pavement,peccant,pedestal,pedicel,peduncle,perspective,petty,pier,pilaster,pile,piling,pillar,pinchbeck,pitch,pitiable,pitiful,place,plant,plebeian,plinth,point of departure,point-contact transistor,poky,pole,poltroon,poltroonish,polymer,poor,pornographic,port of embarkation,position,post,powder,powder puff,predicate,principle,profane,prop,pseudoisomer,puff,punk,pusillanimous,put in,put up,queen-post,radical,rank,rascally,reagent,rebarbative,recreant,regrettable,repellent,reprehensible,reprobate,reptilian,repugnant,repulsive,rest,revolting,ribald,riprap,rock bottom,roguish,root,rotten,rouge,rubbishy,rude,rudiment,sad,scabby,scampish,scandalous,schlock,scoundrelly,scrubby,scruffy,scummy,scurrilous,scurvy,seat,seating,second-best,second-class,secure,seedy,selfish,servile,set,set on,set up,shabby,shaft,shameful,shocking,shoddy,shoemold,sickening,sill,sinful,slavish,sleazy,small,socle,sole,solid ground,solid rock,sordid,sorry,spacistor,spurious,squalid,staff,stalk,stanchion,stand,standard,standing,start,starting gate,starting place,starting point,starting post,station,status,stay,stem,stereobate,stimulus,stinking,stylobate,subbase,submissive,subservient,substratum,substruction,substructure,sulfacid,support,surbase,tacky,takeoff,talcum,talcum powder,tatty,terra firma,terrible,tetrode transistor,theme,third-class,third-rate,tinny,toe,too bad,transistor,trashy,trimer,trivial,trunk,ugly,unclean,underbuilding,undercarriage,undergird,undergirding,underlie,underlying level,underpinning,understruction,understructure,undignified,unforgivable,unipolar transistor,unmentionable,unpardonable,unseemly,unskillful,unspeakable,unwashed,unworthy,upright,vanishing cream,vanity case,venue,vest,vicious,viewpoint,vile,villainous,vulgar,wainscot,war paint,warrant,wicked,woeful,worst,worthless,wretched,wrong 1897 - baseborn,base,bastard,below the salt,cockney,common,commonplace,false,fatherless,homely,humble,illegitimate,low,lowborn,lowbred,lowly,mean,misbegotten,miscreated,natural,nonclerical,ordinary,plain,plebeian,rude,shabby-genteel,spurious,supposititious,third-estate,ungenteel,unwashed,vulgar 1898 - based on,absolute,adducible,admissible,attestative,attestive,authentic,bolstered,borne,boxed in,braced,buttressed,certain,circumscribed by,circumstantial,conclusive,contingent,contingent on,convincing,cumulative,damning,decisive,dependent,dependent on,depending,depending on,depending on circumstances,determinative,documentary,documented,evidential,evidentiary,ex parte,eye-witness,factual,final,firsthand,founded on,grounded on,guyed,hearsay,hedged about by,held,hinging on,implicit,incident to,incidental to,incontrovertible,indicative,indisputable,irrefutable,irresistible,maintained,material,nuncupative,overwhelming,predicated on,presumptive,probative,propped,reliable,revolving on,shored up,significant,stayed,subject to,suggestive,supported,sure,sustained,symptomatic,telling,turning on,upheld,valid,weighty 1899 - baseless,bottomless,built on sand,empty,false,gratuitous,groundless,idle,ill-founded,indefensible,needless,not well-founded,pointless,reasonless,senseless,unbased,uncalled-for,unfounded,ungrounded,unjustifiable,unnecessary,unneeded,unsolid,unsupportable,unsupported,unsustainable,unsustained,untenable,unwarranted,vain,without basis,without foundation,wrong 1900 - basement,WC,archives,armory,arsenal,attic,backhouse,bank,base,baseboard,basis,bathroom,bay,bearing wall,bed,bedding,bedrock,bin,bonded warehouse,bookcase,bottom,box,bunker,buttery,can,cargo dock,cellar,cellarage,chassis,chest,closet,coal bin,comfort station,conservatory,convenience,crapper,crate,crib,cupboard,cyclone cellar,dado,depository,depot,dock,drawer,dump,earth closet,exchequer,floor,flooring,fond,foot,footing,foundation,frame,fundament,fundamental,glory hole,godown,ground,grounds,groundwork,hardpan,head,hold,hole,hutch,john,johnny,johnny house,keel,latrine,lavatory,library,locker,lumber room,lumberyard,magasin,magazine,mopboard,nadir,necessary,outhouse,pavement,potato cellar,powder room,principle,privy,rack,radical,repertory,repository,reservoir,rest room,rick,riprap,rock bottom,rudiment,seat,shelf,shoemold,sill,sole,solid ground,solid rock,stack,stack room,stereobate,stock room,storage,store,storehouse,storeroom,storm cellar,stylobate,subbasement,substratum,substruction,substructure,supply base,supply depot,tank,terra firma,toe,toilet,toilet room,treasure house,treasure room,treasury,underbuilding,undercarriage,undergirding,underpinning,understruction,understructure,urinal,vat,vault,wainscot,warehouse,washroom,water closet,wine cellar 1901 - baseness,abjectness,abominability,abominableness,arrantness,atrociousness,awfulness,badness,beastliness,beggarliness,bestiality,brutality,chicanery,coarseness,commonness,commonplaceness,contemptibility,contemptibleness,contrariety,cravenness,crudeness,crumminess,dastardliness,debasement,deficiency,degradation,depravity,desertion under fire,despicability,despicableness,detestableness,devilishness,devilry,deviltry,direness,disgustingness,dreadfulness,egregiousness,enormity,evilness,execrableness,failure,fewness,fiendishness,filth,flagitiousness,foulness,fourth-rateness,fulsomeness,grossness,harshness,hatefulness,heinousness,hellishness,helotism,helotry,homeliness,horribleness,humbleness,ignobility,imperfection,inadequacy,incompetence,infamousness,inferiority,inferiorness,iniquitousness,insufficiency,knavery,knavishness,littleness,loathsomeness,lousiness,lowliness,lowness,maladroitness,meanness,mediocrity,menialness,miserableness,monstrousness,moral turpitude,nastiness,naughtiness,nauseousness,nefariousness,noisomeness,notoriousness,noxiousness,objectionability,objectionableness,obnoxiousness,obscenity,odiousness,offensiveness,ordinariness,outrageousness,paltriness,peonage,pettiness,plebeianism,pokiness,poltroonery,poltroonishness,poltroonism,poorness,pusillanimity,pusillanimousness,putridity,putridness,rankness,rascality,rascalry,rebarbativeness,repellence,repellency,reprobacy,repugnance,repulsiveness,roguery,roguishness,rottenness,scabbiness,scampishness,scandalousness,scoundrelism,scrubbiness,scruffiness,scumminess,scurviness,second-rateness,serfdom,servility,shabbiness,shamefulness,shoddiness,sinfulness,skedaddling,slavery,slavishness,smallness,sordidness,squalidness,squalor,submissiveness,subnormality,subservience,subserviency,terribleness,the pits,third-rateness,triviality,turpitude,uncleanness,unskillfulness,unspeakableness,viciousness,vileness,villainousness,villainy,vulgarity,wickedness,worthlessness,wretchedness 1902 - bash,bang,bat,batter,beat,beating,belt,biff,blow,blowout,bonk,bruise,buffet,bung,bung up,chop,clap,clip,clobber,clout,clump,coldcock,contuse,crack,cut,dash,deal,deal a blow,deck,dig,dint,drub,drubbing,drumming,fetch,fetch a blow,fusillade,hit,hit a clip,jab,knock,knock cold,knock down,knock out,let have it,lick,maul,paste,pelt,plunk,poke,pound,punch,rap,shindy,slam,slog,slug,smack,smash,smite,snap,soak,sock,strike,strike at,stroke,swat,swing,swipe,tattoo,thump,thwack,wallop,whack,wham,whop,yerk 1903 - bashful,Olympian,abashed,aloof,autistic,awkward,backward,blank,blushful,boggling,chilled,chilly,close,cold,confused,conscious,constrained,cool,cowardly,coy,demure,demurring,detached,diffident,discreet,dissociable,distant,embarrassed,expressionless,faltering,fearful,fearing,fearsome,forbidding,frigid,frosty,goosy,guarded,hesitant,hesitating,icy,ill at ease,impassive,impersonal,in a tizzy,in fear,inaccessible,inarticulate,incompatible,insociable,introverted,jumpy,meek,modest,mopey,mopish,morose,mousy,nervous,nongregarious,offish,qualmish,rabbity,recoiling,remote,removed,repressed,reserved,restrained,reticent,retiring,scary,scrupulous,self-conscious,self-contained,self-effacing,self-sufficient,shaky,shamefaced,shamefast,sheepish,shivery,shrinking,shy,skittery,skittish,snug,socially incompatible,squeamish,stammering,standoff,standoffish,startlish,stickling,subdued,sullen,suppressed,timid,timorous,trembling,tremulous,trepidant,trigger-happy,unaffable,unapproachable,unassertive,unassuming,unassured,unclubbable,uncomfortable,uncommunicative,uncompanionable,unconfident,uncongenial,undemonstrative,uneasy,unexpansive,unfriendly,ungenial,unostentatious,unsociable,unsocial,withdrawn 1904 - basic training,apprenticeship,arrangement,breaking,breeding,briefing,clearing the decks,conditioning,cultivation,development,discipline,drill,drilling,equipment,exercise,familiarization,fetching-up,fixing,fostering,foundation,grooming,groundwork,housebreaking,improvement,in-service training,makeready,making ready,manual training,manufacture,military training,mobilization,nurture,nurturing,on-the-job training,planning,practice,prearrangement,preliminaries,preliminary,preliminary act,preliminary step,prep,preparation,preparatory study,preparing,prepping,prerequisite,pretreatment,processing,propaedeutic,provision,raising,readying,rearing,rehearsal,sloyd,spadework,training,treatment,trial,tryout,upbringing,vocational education,vocational training,warm-up 1905 - basic,ab ovo,aboriginal,acid,alkali,austere,bare,basal,basilar,bedrock,biochemical,bottom,capital,central,chaste,chemical,chemicobiological,chemicoengineering,chemicomineralogical,chemicophysical,chemurgic,chief,constituent,constitutive,copolymeric,copolymerous,crucial,dimeric,dimerous,electrochemical,element,elemental,elementary,embryonic,essential,focal,foundational,fundamental,generative,genetic,germinal,gut,heteromerous,homely,homespun,homogeneous,in embryo,in ovo,indispensable,indivisible,irreducible,isomerous,key,life-and-death,life-or-death,macrochemical,main,material,mere,metameric,monolithic,monomerous,nonacid,of a piece,of the essence,of vital importance,original,part and parcel,photochemical,physicochemical,phytochemical,plain,polymeric,pregnant,primal,primary,prime,primeval,primitive,primordial,principal,pristine,protogenic,pure,pure and simple,radical,radiochemical,root,rudiment,rudimentary,seminal,severe,simon-pure,simple,single,spare,stark,substantial,substantive,thermochemical,unadorned,uncluttered,underlying,undifferenced,undifferentiated,uniform,vital 1906 - basin,alkali flat,alluvial plain,alveolation,alveolus,anchorage,anchorage ground,antrum,aquamanile,armpit,automatic dishwasher,bath,bathtub,bed,berth,bidet,bottom,bottomland,bowl,breakwater,bulkhead,bushveld,campo,catch basin,cavity,cereal bowl,champaign,champaign country,channel,cistern,coastal plain,concave,concavity,coulee,crater,crypt,cup,delta,depression,desert,dip,dishpan,dishwasher,dock,dockage,dockyard,down,downs,dry dock,embankment,ewer,fell,finger bowl,flat,flat country,flatland,flats,floor,fold,follicle,funnel chest,grass veld,grassland,gravy boat,groin,ground,harbor,harborage,haven,heath,hip bath,hole,hollow,hollow shell,jetty,jutty,kitchen sink,lacuna,lande,landing,landing place,landing stage,lavabo,lavatory,level,llano,lowland,lowlands,lunar mare,mare,marina,mesa,mesilla,mole,moor,moorings,moorland,ocean bottom,open country,pampa,pampas,peneplain,pier,piscina,pit,plain,plains,plateau,playa,pocket,porringer,port,prairie,protected anchorage,punch bowl,quay,road,roads,roadstead,sag,salad bowl,salt flat,salt marsh,salt pan,sauce boat,savanna,scoop,seaport,seawall,sebkha,shell,shipyard,shower,shower bath,shower curtain,shower head,shower room,shower stall,showers,sink,sinkage,sinkhole,sinus,sitz bath,slip,socket,steppe,table,tableland,terrine,tree veld,trough,tub,tundra,tureen,upland,vat,vega,veld,vug,wash barrel,wash boiler,washbasin,washbowl,washdish,washer,washing machine,washing pot,washpot,washstand,washtub,weald,wharf,wide-open spaces,wold 1907 - basis,Anschauung,a priori principle,affirmation,ambition,angle,angle of vision,antecedents,apriorism,aspiration,assertion,assumed position,assumption,axiom,base,basement,bearing wall,bed,bedding,bedrock,bottom,burden,call,calling,case,categorical proposition,causation,cause,cause and effect,chapter,concern,consideration,data,determinant,determinative,element,essence,etiology,eye,factor,first principles,floor,flooring,focus of attention,focus of interest,fond,footing,foundation,frame of reference,framework,fundament,fundamental,gist,goal,good reason,ground,grounds,groundwork,guiding light,guiding star,hardpan,head,heading,heart,hypothesis,hypothesis ad hoc,ideal,infrastructure,inspiration,intention,issue,justification,law,lemma,light,line of departure,living issue,lodestar,main point,mainspring,major premise,material basis,matter,matter in hand,meat,mental outlook,minor premise,motif,motive,occasion,outlook,pavement,philosopheme,philosophical proposition,place,point,point at issue,point in question,point of departure,point of view,port of embarkation,position,postulate,postulation,postulatum,premise,presumption,presupposition,principle,problem,proposition,propositional function,question,radical,reason,reference system,regard,respect,rest,right,riprap,rock bottom,root,rubric,rudiment,sake,score,seat,side,sight,sill,situation,slant,solid ground,solid rock,source,spring,stand,standpoint,start,starting gate,starting place,starting point,starting post,statement,stereobate,stimulus,stylobate,subject,subject matter,subject of thought,substance,substratum,substruction,substructure,sumption,supposal,system,takeoff,terra firma,text,theme,theorem,thesis,topic,truth table,truth-function,truth-value,ulterior motive,underbuilding,undercarriage,undergirding,underpinning,understruction,understructure,universe,view,viewpoint,vocation,warrant 1908 - bask,adore,appreciate,bask in,be pleased with,delight in,derive pleasure from,devour,eat up,enjoy,feast on,freak out on,get high on,gloat over,groove on,indulge,indulge in,insolate,like,love,luxuriate,luxuriate in,rejoice in,relish,revel,revel in,riot in,roll,rollick,savor,smack the lips,sun,sun-dry,sunbathe,swim in,take pleasure in,wallow in,welter 1909 - basket,bag,ballocks,balls,barrel,bassinet,beard,bottle,box,box up,breadbasket,breasts,bushel,can,capsule,carton,case,cask,cervix,clitoris,clothesbasket,cod,cods,crane,crate,creel,cullions,encase,encyst,family jewels,female organs,frail,fruit basket,genitalia,genitals,gonads,hamper,jar,labia,labia majora,labia minora,lingam,lips,male organs,meat,nuts,nymphae,ovary,pack,package,pannier,parcel,penis,phallus,picnic basket,pot,private parts,privates,privy parts,pubic hair,pudenda,punnet,reed basket,reproductive organs,rocks,rush basket,sack,scrotum,secondary sex characteristic,sewing basket,sex organs,spermary,tank,testes,testicles,tin,trug,uterus,vagina,vulva,wastebasket,wastepaper basket,wicker basket,wire basket,womb,wooden basket,yoni 1910 - basketwork,arabesque,basketry,cancellation,cross-hatching,crossing-out,filigree,fret,fretwork,grate,grating,grid,gridiron,grille,grillwork,hachure,hatching,interlacement,intertexture,intertwinement,lace,lacery,lacework,lacing,lattice,latticework,mesh,meshes,meshwork,net,netting,network,plexure,plexus,raddle,reticle,reticulation,reticule,reticulum,riddle,screen,screening,sieve,texture,tissue,tracery,trellis,trelliswork,wattle,weave,weaving,web,webbing,webwork,weft,wicker,wickerwork 1911 - bass,A string,Amati,Cremona,D string,E string,G string,Heldentenor,Meistersinger,Strad,Stradivari,Stradivarius,accompaniment,alto,aria singer,baritenor,baritone,bass viol,basso,basso buffo,basso cantante,basso continuo,basso ostinato,basso profundo,bassus,blues singer,bourdon,bow,bravura,bridge,bull fiddle,burden,canary,cantatrice,canto,cantor,cantus,cantus figuratus,cantus planus,caroler,cello,chanter,chantress,chest voice,choral,choric,coloratura,coloratura soprano,comic bass,continuo,contrabass,contralto,countertenor,crooner,crowd,deep,deep bass,deep-echoing,deep-pitched,deep-toned,deepmouthed,descant,diva,double bass,dramatic,dramatic soprano,drone,drone bass,falsetto,fiddle,fiddlebow,fiddlestick,figured bass,fingerboard,grave,ground bass,head voice,heavy,heroic,heroic tenor,hollow,hymnal,hymner,improvisator,kit,kit fiddle,kit violin,lead singer,lieder singer,line,liturgical,low,low-pitched,lyric,melodist,mezzo-soprano,opera singer,operatic,part,plain chant,plain song,prick song,prima donna,psalm singer,psalmic,psalmodial,psalmodic,rock-and-roll singer,sacred,scroll,sepulchral,singer,singing,singstress,songbird,songster,songstress,soprano,soundboard,string,tenor,tenor violin,thorough bass,torch singer,treble,tuning peg,undersong,viola,violin,violinette,violoncello,violoncello piccolo,violone,violotta,vocal,vocalist,vocalizer,voce,voce di petto,voce di testa,voice,voice part,warbler,yodeler 1912 - basso,Heldentenor,Meistersinger,alto,aria singer,baritenor,baritone,bass,basso buffo,basso cantante,basso profundo,blues singer,canary,cantatrice,cantor,caroler,chanter,chantress,coloratura soprano,comic bass,contralto,countertenor,crooner,deep bass,diva,dramatic soprano,heroic tenor,hymner,improvisator,lead singer,lieder singer,melodist,mezzo-soprano,opera singer,prima donna,psalm singer,rock-and-roll singer,singer,singstress,songbird,songster,songstress,soprano,tenor,torch singer,vocalist,vocalizer,voice,warbler,yodeler 1913 - bassoon,English horn,Pandean pipe,aulos,basset horn,basset oboe,block flute,bombard,bourdon,cello,claribel,clarinet,clarion,concert flute,contrabassoon,contrafagotto,cornet,cornopean,cromorna,cromorne,cymbel,diapason,double bassoon,double reed,dulciana,fife,fipple flute,flageolet,flute,flute stop,foundation stop,fourniture,gamba,gedeckt,gemshorn,harmonic flute,hautboy,heckelphone,hornpipe,hybrid stop,koppel flute,larigot,licorice stick,melodia,mixture,musette,mutation stop,nazard,oaten reed,oboe,oboe da caccia,ocarina,octave,organ stop,panpipe,penny-whistle,piccolo,pipe,plein jeu,pommer,posaune,principal,quint,quintaten,rank,ranket,recorder,reed,reed instrument,reed stop,register,rohr flute,sax,saxophone,sesquialtera,shawm,single reed,single-reed instrument,sonorophone,spitz flute,stop,stopped diapason,stopped flute,string diapason,string stop,sweet potato,syrinx,tabor pipe,tenoroon,tierce,tin-whistle,tremolo,trombone,trumpet,twelfth,unda maris,vibrato,viola,voix celeste,vox angelica,vox humana,whistle,woods,woodwind,woodwind choir,woodwind instrument 1914 - bastard,SOB,affected,apocryphal,artificial,assumed,bantling,bar sinister,baseborn,bastard child,bastardy,bird,blackguard,bogus,brummagem,bugger,by-blow,cat,chap,character,colorable,colored,counterfeit,counterfeited,creep,criminal,cross,crossbred,crossbreed,devil,distorted,dressed up,duck,dummy,embellished,embroidered,enfant terrible,ersatz,evildoer,factitious,fake,faked,false,falsified,fart,fatherless,feigned,feller,fellow,fictitious,fictive,garbled,guy,half blood,half-breed,heel,hood,hooligan,illegitimacy,illegitimate,illegitimate child,imitation,jasper,jerk,joker,junky,knave,lad,limb,louse,love child,lowlife,make-believe,malefactor,man-made,meanie,misbegotten,mischief,miscreant,miscreated,mock,mongrel,mother,mule,natural,offender,perverted,phony,pill,pinchbeck,pretended,pseudo,put-on,quasi,queer,rapscallion,rascal,rat,reprobate,rogue,scalawag,scoundrel,self-styled,sham,shit,shithead,shitheel,shoddy,simulated,sinner,so-called,soi-disant,spurious,stinkard,stinker,stud,supposititious,synthetic,tin,tinsel,titivated,turd,twisted,unauthentic,ungenuine,unnatural,unreal,warped 1915 - bastardize,adulterate,brutalize,contaminate,corrupt,cut,debase,debauch,demoralize,denaturalize,denature,deprave,dilute,doctor,doctor up,fortify,lace,pervert,pollute,spike,tamper with,vitiate,warp,water,water down 1916 - baste,bake,bang,barbecue,bastinado,batter,bawl out,beat,belabor,belt,berate,birch,blanch,boil,braise,brew,broil,brown,buffet,cane,chew out,clobber,club,coddle,cook,cowhide,cudgel,curry,cut,devil,do,do to perfection,drub,fire,flagellate,flail,flap,flog,fricassee,frizz,frizzle,fry,fustigate,give a whipping,give the stick,griddle,grill,hammer,heat,horsewhip,knock,knout,lace,lambaste,larrup,lash,lay on,maul,mill,oven-bake,pan,pan-broil,parboil,paste,patter,pelt,pistol-whip,poach,pommel,pound,prepare,prepare food,pulverize,pummel,rail,rap,rawhide,roast,saute,scallop,scourge,sear,shirr,simmer,sledgehammer,smite,spank,steam,stew,stir-fry,strap,stripe,swinge,switch,tell off,thrash,thresh,thump,toast,tongue-lash,trounce,truncheon,wallop,whale,whip,whop,wig 1917 - bastille,POW camp,black hole,borstal,borstal institution,bridewell,brig,bucket,caboose,calaboose,can,cell,chokey,concentration camp,condemned cell,confine,constrain,death cell,death house,death row,detention camp,federal prison,forced-labor camp,gaol,guardhouse,hoosegow,house of correction,house of detention,immure,incarcerate,industrial school,intern,internment camp,jail,jailhouse,jug,keep,labor camp,lockup,maximum-security prison,minimum-security prison,oubliette,pen,penal colony,penal institution,penal settlement,penitentiary,prison,prison camp,prisonhouse,quod,reform school,reformatory,sponging house,state prison,stockade,the hole,tollbooth,training school 1918 - bastion,abatis,acropolis,advanced work,balistraria,bank,banquette,barbed-wire entanglement,barbican,barricade,barrier,bartizan,battlement,beachhead,blockhouse,breastwork,bridgehead,bulwark,bunker,casemate,castle,cheval-de-frise,circumvallation,citadel,contravallation,counterscarp,curtain,demibastion,dike,donjon,drawbridge,earthwork,enclosure,entanglement,escarp,escarpment,fasthold,fastness,fence,fieldwork,fort,fortalice,fortification,fortress,garrison,garrison house,glacis,hold,keep,loophole,lunette,machicolation,mantelet,martello,martello tower,merlon,mote,motte,mound,outwork,palisade,parados,parapet,peel,peel tower,pillbox,portcullis,post,postern gate,rampart,rath,ravelin,redan,redoubt,safehold,sally port,scarp,sconce,stockade,strong point,stronghold,tenaille,tower,tower of strength,vallation,vallum,ward,work 1919 - bat out,botch,bungle,dash off,do anyhow,do by halves,do carelessly,do offhand,fake up,fudge up,jury-rig,knock off,knock out,knock together,lash up,patch,patch together,patch up,pound out,rough out,roughcast,roughhew,slap up,throw off,throw together,toss off,toss out,toss together,trifle with,whomp up 1920 - bat the eyes,allure,bait,bait the hook,blandish,blink,cajole,coax,decoy,draw,draw in,draw on,ensnare,entice,flirt,flirt with,give the come-on,inveigle,lead on,lure,nictitate,offer bait to,rope in,seduce,suck in,wink,woo 1921 - bat,Angora goat,Arctic fox,Belgian hare,Caffre cat,Indian buffalo,Kodiak bear,Virginia deer,aardvark,aardwolf,agate,alpaca,anteater,antelope,antelope chipmunk,aoudad,apar,armadillo,ass,aurochs,bacchanal,bacchanalia,bacchanalian,badger,bag,ball,bandicoot,bang,baseball bat,bash,bassarisk,baton,battledore,bauble,bear,beating,beaver,beldam,belt,bender,bettong,biddy,biff,billy club,binge,binturong,bison,black bear,black buck,black cat,black fox,black sheep,blind man,blink,blocks,blow,bludgeon,blue fox,bobcat,bonk,booze,bop,bout,brown bear,brush deer,brush wolf,buffalo,buffalo wolf,bum,burro,burro deer,bust,cachalot,camel,camelopard,capybara,carabao,caribou,carousal,carouse,carpincho,cat,cat-a-mountain,catamount,cattalo,cavy,celebration,celerity,chamois,checkerboard,cheetah,chessboard,chevrotain,chinchilla,chipmunk,chop,cinnamon bear,clap,clip,clobber,clout,club,clump,cockhorse,coldcock,compotation,coon,coon cat,cotton mouse,cotton rat,cougar,cow,coyote,coypu,crack,cricket bat,crone,cue,cut,dash,deal,deal a blow,debauch,deck,deer,deer tiger,dig,dingo,dint,dog,doll,doll carriage,donkey,dormouse,drab,drift,drinking bout,dromedary,drub,drubbing,drumming,drunk,drunken carousal,echidna,eland,elephant,elk,ermine,escapade,eyra,fallow deer,ferret,fetch,fetch a blow,field mouse,fisher,fitch,fling,flying phalanger,foumart,fox,fox squirrel,fusillade,gad,gait,gallivant,gazelle,gemsbok,genet,gewgaw,gimcrack,giraffe,glutton,gnu,gnu goat,goat,goat antelope,golf club,gopher,grizzly bear,ground squirrel,groundhog,guanaco,guinea pig,guzzle,hamster,hare,harnessed antelope,hartebeest,hedgehog,hippopotamus,hit,hit a clip,hobbyhorse,hog,horse,hyena,hyrax,ibex,jab,jack-in-the-box,jackal,jackass,jackrabbit,jacks,jackstones,jackstraws,jag,jaguar,jaguarundi,jerboa,jerboa kangaroo,kaama,kangaroo,kangaroo mouse,kangaroo rat,karakul,kickshaw,kinkajou,kit fox,knickknack,knobkerrie,knock,knock cold,knock down,knock out,koala,lapin,lark,lemming,leopard,leopard cat,lick,lion,llama,lynx,mace,mammoth,mara,marble,marionette,marmot,marten,mastodon,meander,meerkat,mig,mink,mole,mongoose,mooch,moose,mouflon,mountain goat,mountain lion,mountain sheep,mouse,mule,mule deer,muntjac,musk deer,musk hog,musk-ox,muskrat,musquash,nictitate,nilgai,nutria,ocelot,okapi,onager,oont,opossum,orgy,otter,ounce,ox,pace,pack rat,painter,panda,pangolin,panther,paper doll,paste,peccary,pelt,peludo,phalanger,pick-up sticks,pig,pine mouse,pinwheel,platypus,plaything,ploy,plunk,pocket gopher,pocket mouse,pocket rat,poke,polar bear,polar fox,polecat,porcupine,possum,potation,pouched rat,pound,poyou,prairie dog,prairie wolf,pronghorn,pub-crawl,puma,punch,puppet,quickness,rabbit,raccoon,racket,rag doll,ramble,randan,randy,rap,rapidity,rat,red deer,red squirrel,reindeer,revel,rhinoceros,roam,rocking horse,roe,roe deer,roebuck,rove,sable,serval,sheep,shillelagh,shrew,shrew mole,sika,silver fox,skunk,slam,slog,sloth,slug,smack,smash,smite,snap,snowshoe rabbit,soak,sock,sport,spree,springbok,squirrel,steelie,stoat,strike,strike at,stroke,suslik,swamp rabbit,swat,swiftness,swine,swing,swipe,symposium,takin,tamandua,tamarin,tapir,tarpan,tatou,tatou peba,tatouay,tattoo,taw,tear,teetotum,the blind,the sightless,the unseeing,thump,thwack,tiger,tiger cat,timber wolf,toot,top,toy,toy soldier,traipse,tree shrew,trinket,trot,truncheon,twinkle,urus,velocity,vole,wallaby,wallop,war club,warthog,wassail,water buffalo,waterbuck,weasel,whack,wham,wharf rat,whim-wham,whistler,white fox,whop,wild ass,wild boar,wild goat,wild ox,wildcat,wildebeest,wingding,witch,wolf,wolverine,wombat,wood rat,woodchuck,woolly mammoth,yak,yerk,zebra,zebu,zoril 1922 - batch,amount,array,assortment,block,budget,bulk,bunch,bundle,chunk,clod,clump,cluster,clutch,collection,considerable,copse,count,crop,deal,dose,gob,gobs,good deal,great deal,group,grouping,groupment,grove,hassock,heap,heaps,hunk,knot,large amount,lashings,loads,loaf,lot,lots,lump,make,making,mass,measure,mess,mint,nugget,number,oodles,pack,parcel,part,pat,peck,pile,piles,portion,pot,quantity,quite a little,raft,rafts,ration,run,scads,set,shock,sight,slew,slews,small amount,spate,stack,stacks,stook,sum,thicket,tidy sum,tuft,tussock,volume,wad,wads,whole slew,wisp 1923 - bate,abate,ablate,abrade,abstract,alleviate,allow,attenuate,bar,be eaten away,blunt,charge off,close,consume,consume away,corrode,count out,crumble,curtail,cut,debar,decline,decrease,deduct,deliquesce,depreciate,derogate,detract,die away,die down,dilute,diminish,discount,disedge,disparage,dive,drain,draw the teeth,drop,drop off,dull,dwindle,ease,ease off,ease up,eat away,ebb,eliminate,erode,except,extenuate,extract,fall,fall away,fall off,file away,impair,kick back,languish,leach,lessen,let down,let up,loose,loosen,make allowance,melt away,mitigate,moderate,obtund,plummet,plunge,purify,rebate,reduce,refine,refund,relax,remit,remove,repress,retrench,retund,rub away,rule out,run low,sag,shorten,shrink,sink,slack,slack off,slack up,slacken,slake,subduct,subside,subtract,suspend,tail off,take a premium,take away,take from,take off,taper,taper off,thin,thin out,turn,unbend,unbrace,unstrain,unstring,wane,waste,waste away,water down,weaken,wear,wear away,weed,withdraw,write off 1924 - bated breath,aspiration,breath,breathy voice,exhalation,little voice,low voice,mumble,mumbling,murmur,murmuration,murmuring,mutter,muttering,sigh,soft voice,stage whisper,still small voice,susurration,susurrus,underbreath,undertone,whisper,whispering 1925 - bated,abated,ablated,attenuated,belittled,consumed,contracted,curtailed,damped,dampened,dead,deadened,decreased,deflated,diminished,dissipated,dropped,dull,dulled,eroded,fallen,flat,less,lesser,lower,lowered,miniaturized,muffled,muted,reduced,retrenched,scaled-down,shorn,shorter,shrunk,shrunken,smaller,smothered,softened,sordo,stifled,subdued,watered-down,weakened,worn 1926 - bath,Finnish bath,Japanese bath,Russian bath,Swedish bath,Turkish bath,acid bath,affusion,aquamanile,aspergation,aspersion,automatic dishwasher,bagnio,balneae,balneum,baptism,basin,bathe,bathhouse,bathing,bathroom,baths,bathtub,bedewing,bidet,caldarium,cold shower,dampening,damping,deluge,dewing,dip,dishpan,dishwasher,douche,drowning,ewer,finger bowl,fixing bath,flooding,hip bath,hosing,hosing down,humidification,hummum,immersion,inundation,irrigation,kitchen sink,lavabo,lavatory,laving,mercury bath,mikvah,moistening,needle bath,piscina,plunge bath,public baths,rest room,rinsing,sauna,sauna bath,sheep dip,shower,shower bath,shower curtain,shower head,shower room,shower stall,showers,sink,sitz bath,spa,sparging,spattering,splashing,splattering,sponge,sponge bath,spraying,sprinkling,steam room,submersion,sudarium,sudatorium,swashing,sweat bath,sweat room,tepidarium,thermae,tub,wash,wash barrel,wash boiler,washbasin,washbowl,washdish,washer,washing machine,washing pot,washpot,washroom,washstand,washtub,watering,watering place,wetting,whirlpool bath 1927 - bathe,Australian crawl,Finnish bath,Japanese bath,Russian bath,Swedish bath,Turkish bath,aquaplaning,aquatics,backstroke,balneation,bandage,baptize,bath,bathing,breaststroke,brew,butterfly,care for,cold shower,crawl,cure,diagnose,dive,diving,doctor,dog paddle,douche,douse,drench,drouk,fin,fishtail,flapper,flipper,float,floating,flush,flush out,flux,gargle,give care to,go in swimming,go in wading,heal,hip bath,holystone,hummum,imbrue,imbue,impregnate,infiltrate,infuse,inject,irrigate,lap,lather,launder,lave,leach,lip,lixiviate,macerate,massage,minister to,mop,mop up,natation,needle bath,nurse,operate on,percolate,permeate,physic,plaster,plunge bath,poultice,purge,remedy,rinse,rinse out,ritually immerse,rub,saturate,sauna,sauna bath,scour,scrub,scrub up,seethe,shampoo,shower,shower bath,sidestroke,sitz bath,skinny-dip,sluice,sluice out,soak,soap,sodden,sop,souse,splint,sponge,sponge bath,steep,strap,surfboarding,surfing,swab,sweat bath,swim,swimming,syringe,toivel,tread water,treading water,treat,tub,wade,wading,wash,wash out,wash up,waterlog,waterskiing,whirlpool bath 1928 - bathhouse,bagnio,balneae,balneum,bath,bathroom,baths,caldarium,lavatory,mikvah,public baths,rest room,sauna,spa,steam room,sudarium,sudatorium,sweat room,tepidarium,thermae,washroom,watering place 1929 - bathing beauty,Miss America,bather,bathing girl,beau ideal,beaut,beauty,beauty contest winner,beauty queen,belle,bunny,charmer,cover girl,dazzler,diver,dream,enchantress,frogman,great beauty,knockout,lady fair,looker,mermaid,merman,model,natator,paragon,peach,pinup,pinup girl,pussycat,raving beauty,reigning beauty,sex kitten,slick chick,stunner,swimmer 1930 - bathing,Australian crawl,Rugby,acrobatics,affusion,agonistics,aquaplaning,aquatics,aspergation,aspersion,association football,athletics,backstroke,balneation,baptism,bath,bathe,bedewing,breaststroke,butterfly,crawl,dampening,damping,deluge,dewing,diving,dog paddle,drowning,fin,fishtail,flapper,flipper,floating,flooding,gymnastics,hosing,hosing down,humidification,immersion,inundation,irrigation,laving,moistening,natation,palaestra,rinsing,rugger,sidestroke,soccer,sparging,spattering,splashing,splattering,sports,spraying,sprinkling,submersion,surfboarding,surfing,swashing,swim,swimming,track,track and field,treading water,tumbling,wading,watering,waterskiing,wetting 1931 - bathos,anticlimax,bleeding heart,cloyingness,comedown,goo,hearts-and-flowers,heaviness,heaviness of heart,heavy heart,heavyheartedness,maudlinness,mawkishness,mush,mushiness,namby-pamby,namby-pambyism,namby-pambyness,nostalgia,nostomania,oversentimentalism,oversentimentality,pathos,romanticism,sadheartedness,sadness,sentiment,sentimentalism,sentimentality,slop,sloppiness,slush,soap opera,sob story,sweetness and light,tearjerker 1932 - bathroom,WC,backhouse,bagnio,balneae,balneum,basement,bath,bathhouse,baths,caldarium,can,closet,comfort station,convenience,crapper,earth closet,head,john,johnny,johnny house,latrine,lavatory,mikvah,necessary,outhouse,powder room,privy,public baths,rest room,sauna,spa,steam room,sudarium,sudatorium,sweat room,tepidarium,thermae,toilet,toilet room,urinal,washroom,water closet,watering place 1933 - baths,bagnio,balneae,balneum,bath,bathhouse,bathroom,caldarium,casino,club,clubhouse,gambling house,gathering place,hangout,haunt,health resort,hot spring,lavatory,meeting place,mikvah,mineral spring,public baths,pump house,pump room,purlieu,rallying point,resort,rest room,sauna,spa,springs,stamping ground,steam room,sudarium,sudatorium,sweat room,tepidarium,thermae,washroom,watering place 1934 - bathtub,aquamanile,automatic dishwasher,basin,bath,bidet,dishpan,dishwasher,ewer,finger bowl,kitchen sink,lavabo,lavatory,piscina,shower,shower bath,shower curtain,shower head,shower room,shower stall,showers,sink,tub,wash barrel,wash boiler,washbasin,washbowl,washdish,washer,washing machine,washing pot,washpot,washstand,washtub 1935 - bathymetry,altimetry,aquiculture,bathometry,biometrics,biometry,cadastration,cartography,chorography,craniometry,depth sounding,echo sounding,echolocation,fathomage,fathoming,geodesy,geodetics,goniometry,hydrography,hypsography,hypsometry,marine biology,mensuration,metrology,oceanography,planimetry,psychometrics,psychometry,sonar,sounding,soundings,stereometry,surveying,thalassography,topography,water 1936 - bathysphere,Aqua-Lung,air cylinder,aquascope,bathyscaphe,benthoscope,diving bell,diving boat,diving chamber,diving goggles,diving helmet,diving hood,diving mask,diving suit,periscope,scuba,snorkel,submarine,swim fins,wet suit 1937 - batman,Ganymede,Hebe,airline hostess,airline stewardess,attendant,bellboy,bellhop,bellman,bootblack,boots,cabin boy,caddie,chore boy,copyboy,cupbearer,errand boy,errand girl,footboy,gofer,hostess,office boy,office girl,orderly,page,squire,steward,stewardess,tender,trainbearer,usher,yeoman 1938 - baton,Malacca cane,achievement,alerion,alpenstock,animal charge,annulet,argent,armorial bearings,armory,arms,aspersion,attaint,azure,badge,badge of infamy,badge of office,badges,bandeau,bar,bar sinister,bastardism,bastardy,bat,bearings,bend,bend sinister,billet,billy,billy club,black eye,black mark,blazon,blazonry,blot,bludgeon,blur,bordure,brand,brassard,broad arrow,button,cadency mark,caduceus,cane,canton,cap and gown,censure,chain,chain of office,champain,chaplet,charge,chevron,chief,class ring,club,coat of arms,cockade,cockatrice,collar,coronet,crescent,crest,crook,crosier,cross,cross moline,cross-staff,crown,crutch,crutch-stick,decoration,device,diapason,difference,differencing,disparagement,dress,eagle,emblems,ensigns,ermine,ermines,erminites,erminois,escutcheon,falcon,fasces,fess,fess point,field,figurehead,file,flanch,fleur-de-lis,fret,fur,fusil,garland,gavel,griffin,gules,gyron,hammer and sickle,handstaff,hatchment,helmet,heraldic device,heraldry,honor point,illegitimacy,illegitimateness,impalement,impaling,imputation,inescutcheon,insignia,label,lapel pin,lion,lituus,livery,lozenge,mace,mantle,mantling,mark of Cain,markings,marshaling,martlet,mascle,medal,metal,metronome,monochord,mortarboard,motto,mullet,music stand,mute,nightstick,nombril point,octofoil,old school tie,onus,or,ordinary,orle,pale,paly,pastoral staff,paterissa,pean,pheon,pillorying,pin,pitch pipe,point champain,portfolio,purpure,quarter,quartering,quarterstaff,reflection,regalia,reprimand,reproach,rhythmometer,ring,rod,rod of office,rose,sable,saltire,scepter,school ring,scutcheon,shamrock,shield,shillelagh,sigillography,skull and crossbones,slur,smear,smirch,smudge,smutch,sonometer,sphragistics,spot,spread eagle,staff,stain,stave,stick,stigma,stigmatism,stigmatization,subordinary,swagger stick,swanking stick,swastika,taint,tarnish,tartan,tenne,thistle,tie,tincture,tone measurer,torse,tressure,truncheon,tuning bar,tuning fork,tuning pipe,unicorn,uniform,vair,verge,vert,walking stick,wand,wand of office,war club,wreath,yale 1939 - batrachian,amphibian,anguine,bullfrog,colubriform,crawling,creeping,croaker,crocodilian,frog,froggy,hoppytoad,hoptoad,lizardlike,newt,ophidian,paddock,polliwog,repent,reptant,reptile,reptilelike,reptilian,reptiliform,reptiloid,salamander,saurian,serpentiform,serpentile,serpentine,serpentlike,serpentoid,slithering,snakelike,snaky,tadpole,toad,toadish,tree frog,tree toad,viperiform,viperish,viperlike,viperoid,viperous,vipery 1940 - bats,balmy,bananas,barmy,batty,beany,bonkers,buggy,bughouse,bugs,crackers,cuckoo,daffy,dippy,dotty,flaky,flipped,freaked-out,fruitcakey,fruity,gaga,goofy,haywire,just plain nuts,kooky,loony,loopy,nuts,nutty,off the hinges,off the track,off the wall,potty,round the bend,screwball,screwballs,screwy,slaphappy,wacky 1941 - battalion,KP,age group,army,army group,band,battery,battle group,bevy,body,brigade,bunch,cabal,cadre,cast,clique,cohort,column,combat command,combat team,company,complement,contingent,corps,coterie,covey,crew,crowd,detachment,detail,division,faction,field army,field train,file,fleet,flying column,gang,garrison,group,grouping,groupment,in-group,junta,kitchen police,legion,maniple,mob,movement,organization,out-group,outfit,pack,party,peer group,phalanx,platoon,posse,rank,regiment,salon,section,set,squad,squadron,stable,string,tactical unit,task force,team,train,tribe,troop,troupe,unit,wing 1942 - batten,Mystik tape,Scotch tape,act drop,adhesive tape,anchor,articulate,asbestos,asbestos board,backdrop,band,bandage,bang,bar,barricade,batten down,belay,belt,bloom,blossom,bolt,bolt down,boom,border,buckle,butt,button,button up,cellophane tape,chain,choke,choke off,clap,clasp,cleat,clip,close,close up,cloth,cloth tape,constrict,contain,contract,coulisse,counterweight,cover,cram,curtain,curtain board,cyclorama,decor,devour,dovetail,drop,drop curtain,engorge,fascia,fasten,fasten down,fatten,fillet,fire curtain,flat,flipper,flourish,flower,fold,fold up,friction tape,girdle,glut,gluttonize,gobble,gorge,gormandize,grow fat,gulp,gulp down,guttle,guzzle,hanging,hasp,hinge,hitch,hook,jam,joint,key,latch,lath,ligula,ligule,list,live to eat,lock,lock out,lock up,make fast,make secure,make sure,masking tape,miter,moor,mortise,nail,occlude,padlock,peg,pin,plank,plastic tape,plumb,rabbet,rag,raven,ribband,ribbon,rivet,scarf,scene,scenery,screen,screw,seal,seal off,seal up,secure,sew,shred,shut,shut the door,shut up,side scene,skewer,slam,slat,slip,snap,spill,spline,squeeze shut,stage screw,staple,stick,stitch,strake,strangle,strap,strip,strop,stuff,tab,tableau,tack,taenia,tape,tape measure,tapeline,teaser,tether,thrive,ticker tape,tie,toggle,tormentor,transformation,transformation scene,wedge,wing,wingcut,wolf,wolf down,woodcut,zip up,zipper 1943 - batter,Beau Brummel,abuse,albumen,amateur athlete,archer,assault,athlete,attack,ballplayer,bang,barbarize,baseballer,baseman,bash,baste,battery,beat,beat up,belabor,blocking back,bombard,bonnyclabber,bowman,bruise,brutalize,buffet,bung,bung up,burn,butcher,butter,carry on,catcher,center,clabber,clobber,clout,coach,competitor,contuse,cornstarch,cream,cricketer,cripple,curd,defensive lineman,destroy,disable,disfigure,do violence to,do wrong by,do wrong to,dough,drub,egg white,end,flail,flap,footballer,games-player,gamester,gaum,gel,gelatin,glair,glop,glue,gluten,go on,goo,gook,goop,gruel,guard,gumbo,gunk,hammer,harm,hit,ill-treat,ill-use,infielder,injure,jam,jell,jelly,jock,jumper,knock,knock about,lacerate,lambaste,lame,larrup,lay waste,lineman,loblolly,loot,maim,maltreat,mangle,manhandle,maul,mishandle,mistreat,molasses,molest,mucilage,mucus,mug,mutilate,offensive lineman,outfield,outfielder,outrage,pap,paste,patter,pelt,pillage,player,poloist,pommel,porridge,pound,professional athlete,pudding,pugilist,pulp,pulverize,pummel,puree,putty,quarterback,racer,rage,ramp,rampage,rant,rap,rape,rave,riot,roar,rob,rough,rough up,ruin,sack,savage,semifluid,semiliquid,shatter,size,skater,slaughter,sledgehammer,smite,soup,sow chaos,spank,sport,sportsman,starch,sticky mess,storm,strike,syrup,tackle,tailback,tear,tear around,terrorize,thrash,thrash soundly,thresh,thump,toxophilite,treacle,vandalize,violate,wallop,whip,wingback,wreck,wrestler 1944 - battering,assault,attack,butchery,disorderliness,forcible seizure,killing,laying waste,looting,massacre,obstreperousness,onslaught,pillaging,rape,riot,rioting,sacking,slaughter,sowing with salt,unruliness,violation 1945 - battery powered,dynamoelectric,electric,electric-powered,electrified,electrifying,electrochemical,electrodynamic,electrokinetic,electromechanical,electrometric,electromotive,electropneumatic,electrostatic,electrothermal,galvanic,galvanometric,hydroelectric,photoelectric,piezoelectric,static,voltaic 1946 - battery,KP,Leyden jar,accumulator,amateur athlete,archer,army,army group,array,artillery,athlete,atomic battery,ballplayer,baseballer,baseman,bastinado,basting,batch,battalion,batter,battle group,beating,bells,belting,block,blocking back,body,bones,bowman,brigade,buffeting,bunch,bundle,cadre,caning,cannon,cannonry,castanets,catcher,celesta,cell,center,chime,chimes,clappers,clot,clubbing,clump,cluster,coach,coast artillery,cohort,column,combat command,combat team,company,competitor,corporal punishment,corps,cowhiding,crash cymbal,cricketer,cudgeling,cymbals,defensive lineman,detachment,detail,division,drubbing,dry cell,electronic battery,end,field army,field artillery,field train,file,finger cymbals,flagellation,flailing,flak,flogging,flying column,footballer,fuel cell,fustigation,gamelan,games-player,gamester,garrison,glockenspiel,gong,guard,handbells,heavy field artillery,horsewhipping,idiophone,infielder,jock,jumper,kit,kitchen police,lacing,lashing,legion,lineman,lot,lyra,maniple,maraca,marimba,metallophone,offensive lineman,orchestral bells,ordnance,organization,outfield,outfielder,outfit,pack,percussion,percussion instrument,percussions,percussive,phalanx,pistol-whipping,platoon,player,poloist,posse,professional athlete,pugilist,quarterback,racer,rank,rattle,rattlebones,rawhiding,regiment,scourging,section,series,set,siege artillery,siege engine,sizzler,skater,snappers,solar battery,spanking,sport,sportsman,squad,squadron,storage battery,storage cell,strapping,stripes,suit,suite,swingeing,switching,tackle,tactical unit,tailback,tam-tam,task force,thrashing,tintinnabula,tonitruone,toxophilite,train,trench artillery,triangle,troop,trouncing,truncheoning,tubular bells,unit,vibes,vibraphone,wet cell,whipping,wing,wingback,wrestler,xylophone 1947 - battle cry,Angelus,Angelus bell,alarm,alarum,bark,bawl,bellow,bid to combat,birdcall,bugle call,call,call to arms,call-up,catchword,caterwaul,challenge,cheer,clarion,clarion call,conscription,cry,dare,defi,defy,double dare,exhortation,gage,gage of battle,gauntlet,glove,go for broke,gung ho,halloo,holler,hollo,hoot,howl,hurrah,last post,levy,mobilization,moose call,motto,muster,rally,rallying cry,rebel yell,recruitment,reveille,roar,scream,screech,shout,shriek,slogan,squall,squeal,summons,taps,trumpet call,war cry,war whoop,watchword,whistle,whoop,yammer,yap,yawl,yawp,yell,yelp,yo-ho,yowl 1948 - battle fatigue,accident neurosis,anaphylactic shock,anxiety hysteria,anxiety neurosis,association neurosis,blast neurosis,combat fatigue,compensation neurosis,compulsion neurosis,conversion hysteria,conversion neurosis,expectation neurosis,fixation neurosis,fright neurosis,homosexual neurosis,hypochondria,hypochondriasis,hypoglycemic shock,hysteria,mental shock,neurogenic shock,neurosis,neuroticism,obsessional neurosis,occupational neurosis,pathoneurosis,phobia,protein shock,psychasthenia,psychoneurosis,psychoneurotic disorder,psychopathia martialis,regression neurosis,secondary shock,serum shock,shell shock,shock,situational neurosis,surgical shock,thanatosis,trauma,traumatism,war neurosis,wound shock 1949 - battle royal,action,aerial combat,affray,armored combat,battle,brush,bullfight,clash,clash of arms,cockfight,combat,conflict,dogfight,embroilment,exchange of blows,fight,fire fight,fray,ground combat,hand-to-hand combat,hand-to-hand fight,house-to-house combat,naval combat,passage of arms,pitched battle,quarrel,rumble,running fight,scramble,scrimmage,scuffle,shoving match,skirmish,stand-up fight,street fight,struggle,tauromachy,tug-of-war,tussle 1950 - battle,Actium,Adrianople,Aegates Isles,Aegospotami,Agincourt,Antietam,Anzio,Arbela-Gaugamela,Ardennes,Austerlitz,Ayacucho,Balaclava,Bannockburn,Bataan-Corregidor,Bismarck Sea,Blenheim,Bosworth Field,Bouvines,Boyne,Brunanburh,Bunker Hill,Cannae,Caporetto,Chancellorsville,Crecy,Dunkirk,El Alamein,Flodden,Fontenoy,Fredericksburg,Gaza,Gettysburg,Granicus River,Guadalcanal,Hampton Roads,Hastings,Hohenlinden,Inchon,Long Island,Marathon,Midway,Poitiers,Sedan,Singapore,Solferino,Waterloo,action,aerial combat,affray,agonize,all-out war,altercation,antagonize,appeal to arms,argument,arm,armed combat,armed conflict,armor,armor-plate,armored combat,assail,assault,attack,bank,barricade,battle royal,beat against,beat up against,belligerence,belligerency,blockade,bloodshed,bombard,box,brawl,breast the wave,broil,brush,buck,buffet,buffet the waves,bullfight,bulwark,campaign,carry on hostilities,castellate,clash,clash of arms,close,close with,cockfight,collide,combat,come to blows,compete with,competition,conflict,contend,contend against,contest,crenellate,crusade,cut and thrust,dig in,dispute,dogfight,duel,embattle,embroilment,encounter,engage in hostilities,engagement,entrench,exchange blows,exchange of blows,fence,feud,fight,fight a duel,fight against,fighting,fire fight,fortify,fracas,fray,garrison,give and take,give satisfaction,grapple,grapple with,ground combat,grunt and sweat,hand-to-hand combat,hand-to-hand fight,hassle,hostilities,hot war,house-to-house combat,huff and puff,join battle with,jostle,joust,la guerre,labor against,make war,man,man the garrison,melee,might of arms,military operations,militate against,mine,mix it up,naval combat,offer resistance,onset,onslaught,open hostilities,open war,oppugn,palisade,passage of arms,pitched battle,quarrel,rassle,reluct,reluctate,resort to arms,riot,rival,rumble,run a tilt,running fight,scramble,scrimmage,scuffle,shed blood,shooting war,shoving match,skirmish,sortie,spar,spill blood,stand-up fight,state of war,stem the tide,street fight,strive,strive against,struggle,struggle against,take on,tauromachy,the sword,thrust and parry,tilt,total war,tourney,tug,tug-of-war,tussle,vie with,wage war,wall,war,warfare,warmaking,warring,wartime,wrestle 1951 - battledore,Lastex,abecedarium,abecedary,agate,alphabet book,baleen,ball,baseball bat,bat,bauble,blocks,casebook,checkerboard,chessboard,chewing gum,club,cockhorse,cricket bat,cue,doll,doll carriage,elastic,elastomer,exercise book,gewgaw,gimcrack,golf club,gradus,grammar,gum,gum elastic,handball,hobbyhorse,hornbook,jack-in-the-box,jacks,jackstones,jackstraws,jumping jack,kickshaw,knickknack,manual,manual of instruction,marble,marionette,mig,paper doll,pick-up sticks,pinwheel,plaything,primer,puppet,racket,rag doll,reader,rocking horse,rubber,rubber ball,rubber band,schoolbook,spandex,speller,spelling book,sport,spring,springboard,steelie,stretch fabric,t,taw,teetotum,text,top,toy,toy soldier,trampoline,trinket,whalebone,whim-wham,workbook 1952 - battlefield,DMZ,aceldama,battle line,battle site,battleground,combat area,combat zone,enemy line,field,field of battle,field of blood,firing line,front line,killing ground,landing beach,line,line of battle,seat of war,shambles,the front,theater,theater of operations,theater of war,zone of communications 1953 - battlement,abatis,advanced work,balistraria,bank,banquette,barbed-wire entanglement,barbican,barricade,barrier,bartizan,bastion,breastwork,bulwark,casemate,castellation,cheval-de-frise,circumvallation,contravallation,counterscarp,crenel,curtain,demibastion,dike,drawbridge,earthwork,embrasure,enclosure,entanglement,escarp,escarpment,fence,fieldwork,fortalice,fortification,glacis,loophole,lunette,machicolation,mantelet,merlon,mound,outwork,palisade,parados,parapet,portcullis,postern gate,rampart,ravelin,redan,redoubt,sally port,scarp,sconce,stockade,tenaille,vallation,vallum,work 1954 - batty,apish,asinine,balmy,bananas,barmy,bats,beany,bedlamite,befooled,beguiled,besotted,bonkers,brainless,buffoonish,buggy,bughouse,bugs,cockeyed,cracked,crackers,crazed,crazy,credulous,cuckoo,daffy,daft,dazed,deranged,dippy,dizzy,doting,dotty,dumb,fatuitous,flipped,fond,fool,foolheaded,foolish,freaked-out,fruitcakey,fruity,fuddled,futile,gaga,goofy,gulled,haywire,idiotic,imbecile,inane,inept,infatuated,insane,just plain nuts,kooky,loony,loopy,mad,maniac,maudlin,moronic,nuts,nutty,off the hinges,off the track,off the wall,potty,round the bend,sappy,screwball,screwballs,screwy,senseless,sentimental,silly,slaphappy,stupid,thoughtless,wacky,wet,witless 1955 - bauble,a continental,a curse,a damn,a darn,a hoot,agate,bagatelle,ball,baseball bat,bat,battledore,bean,bibelot,bit,blocks,brass farthing,bric-a-brac,button,cent,checkerboard,chessboard,club,cockhorse,cricket bat,cue,curio,dido,doll,doll carriage,farce,farthing,feather,fig,fleabite,folderol,fribble,frippery,gaud,gewgaw,gimcrack,golf club,hair,halfpenny,hill of beans,hobbyhorse,jack-in-the-box,jacks,jackstones,jackstraws,jest,joke,kickshaw,knack,knickknack,knickknackery,marble,marionette,mig,minikin,mockery,molehill,novelty,ornament,paper doll,peppercorn,picayune,pick-up sticks,pin,pinch of snuff,pinprick,pinwheel,plaything,puppet,racket,rag doll,rap,red cent,rocking horse,row of pins,rush,shit,snap,sneeshing,sou,sport,steelie,straw,taw,teetotum,top,toy,toy soldier,trifle,trinket,triviality,tuppence,two cents,twopence,whatnot,whim-wham 1956 - bawd,fancy man,gigolo,harlot,hooker,madam,maquereau,meretrix,moll,nightwalker,pander,panderer,pimp,poule,procurer,procuress,streetwalker,white slaver,whore 1957 - bawdy,Fescennine,Rabelaisian,animal,aphrodisiomaniacal,blue,broad,carnal,clitoromaniacal,coarse,concupiscent,crude,dirty,earthy,erotic,eroticomaniacal,erotomaniacal,filthy,fleshly,foul,foul-mouthed,foul-spoken,foul-tongued,fulsome,goatish,gross,gynecomaniacal,horny,hot,hysteromaniacal,impure,indecent,indecorous,indelicate,ithyphallic,lascivious,lecherous,lewd,libidinous,lickerish,lubricious,lubricous,lurid,lustful,lusty,nasty,nymphomaniacal,obscene,offensive,pornographic,priapic,prurient,randy,raunchy,ribald,risque,rude,salacious,satyric,scatological,scurrile,scurrilous,sensual,sexual,sexy,smoking-room,smutty,suggestive,sultry,taboo,unchaste,unclean,uninhibited,unprintable,unrepeatable,unrestrained,vile,vulgar 1958 - bawdyhouse,bagnio,bordello,brothel,cathouse,crib,den,den of vice,disorderly house,dive,house of assignation,house of joy,house of prostitution,joint,panel den,panel house,red-light district,sink of iniquity,sporting house,stew,stews,tenderloin,whorehouse 1959 - bawl out,berate,bless,carpet,chew,chew ass,chew out,condemn,cuss out,denounce,give a going-over,give hail Columbia,give hell,give the deuce,give what-for,jack up,lambaste,lash,ream,ream ass,ream out,sit on,tell off,tongue-lash,upbraid,wig 1960 - bawl,bark,battle cry,bawl out,bay,bell,bellow,blare,blat,blate,bleat,blubber,bluster,boohoo,boom,bray,break down,breathe,burst into tears,buzz,cackle,call,caterwaul,chant,cheer,chirp,clamor,coo,crow,cry,cry out,dissolve in tears,dolorous tirade,drawl,drop a tear,exclaim,flute,gasp,give tongue,give voice,greet,groan,growl,grunt,hail,halloo,hiss,holler,hollo,hoot,howl,hurrah,jeremiad,keen,lament,lilt,low,make an outcry,meow,mew,mewl,miaow,moan,moo,mumble,murmur,mutter,neigh,nicker,outcry,pant,pipe,plaint,planctus,pule,rallying cry,reprimand,roar,rout,rumble,scold,screak,scream,screech,shed tears,shout,shriek,sibilate,sigh,sing,snap,snarl,snivel,snort,sob,squall,squawk,squeak,squeal,thunder,tirade,troat,trumpet,twang,ululate,ululation,upbraid,vociferate,wail,wail of woe,war cry,war whoop,warble,weep,whicker,whimper,whine,whinny,whisper,whoop,yammer,yap,yawl,yawp,yell,yelp,yip,yo-ho,yowl 1961 - bay window,abdomen,abomasum,bay,beerbelly,belly,bow window,breadbasket,casement,casement window,corporation,craw,crop,diaphragm,embonpoint,fan window,fanlight,first stomach,gizzard,grille,gullet,gut,honeycomb stomach,kishkes,lancet window,lantern,lattice,light,louver window,manyplies,maw,midriff,omasum,oriel,pane,paunch,picture window,pod,port,porthole,pot,potbelly,potgut,psalterium,pusgut,rennet bag,reticulum,rose window,rumen,second stomach,skylight,spare tire,stomach,swagbelly,third stomach,transom,tum-tum,tummy,underbelly,ventripotence,wicket,window,window bay,window glass,windowpane 1962 - bay,Old Mug,Titian,accolade,adust,alcove,archives,arm,armlet,armory,arsenal,attic,auburn,award,badge,bank,bark,basement,bawl,bay window,bay-colored,bayard,bayou,bays,beep,bell,bellow,belt,bight,bin,blare,blast,blat,blate,bleat,blow,blow the horn,boca,bonded warehouse,bookcase,bow window,box,bray,brazen,bronze,bronze-colored,bronzed,brownish-red,buckskin,bugle,bunker,buttery,calico pony,call,cargo dock,carrel,casement,casement window,castaneous,caterwaul,cellar,chaplet,chest,chestnut,chestnut-brown,civic crown,clarion,closet,conservatory,copper,copper-colored,coppery,corner,cove,cranny,crate,creek,crib,crown,cry,cubby,cubbyhole,cubicle,cup,cupboard,cupreous,dapple-gray,decoration,depository,depot,distinction,dock,drawer,dump,dun,estuary,euripus,exchequer,fan window,fanfare,fanlight,ferruginous,fjord,flourish of trumpets,foxy,frith,garland,give tongue,give voice,glory hole,godown,gray,grille,grizzle,gulf,gut,harbor,henna,hold,honk,howl,hutch,inglenook,inlet,kudos,kyle,lancet window,lantern,lattice,laurel,laurels,library,light,liver-brown,liver-colored,livid-brown,loch,locker,louver window,loving cup,low,lumber room,lumberyard,magasin,magazine,mahogany,meow,mew,mewl,miaow,moo,mouth,narrow,narrow seas,narrows,natural harbor,neigh,niche,nicker,nook,oriel,paint,painted pony,palm,palms,pane,peal,picture window,piebald,pinto,pipe,pitchhole,port,porthole,pot,pule,quest,rack,reach,recess,recession,reddish-brown,repertory,repository,reservoir,rick,road,roads,roadstead,roan,roar,roomlet,rose window,rubiginous,rufous,russet,russety,rust,rust-colored,rusty,screak,scream,screech,shelf,shriek,skewbald,skylight,slough,snuggery,sorrel,sound,sound a tattoo,sound taps,squall,squeak,squeal,stack,stack room,stock room,storage,store,storehouse,storeroom,strait,straits,sunburned,supply base,supply depot,tank,tantara,tantarara,taps,tarantara,tattoo,terra-cotta,toot,tootle,transom,treasure house,treasure room,treasury,troat,trophy,trumpet,trumpet blast,trumpet call,tweedle,ululate,vat,vault,wail,warehouse,whicker,whine,whinny,whistle,wicket,wind,window,window bay,window glass,windowpane,wine cellar,wreath,yap,yawl,yawp,yelp,yip,yowl 1963 - bayard,Titian,adust,auburn,bay,bay-colored,brazen,bronze,bronze-colored,bronzed,brownish-red,buckskin,calico pony,castaneous,chestnut,chestnut-brown,copper,copper-colored,coppery,cupreous,dapple-gray,dun,ferruginous,foxy,gray,grizzle,henna,liver-brown,liver-colored,livid-brown,mahogany,paint,painted pony,piebald,pinto,reddish-brown,roan,rubiginous,rufous,russet,russety,rust,rust-colored,rusty,skewbald,sorrel,sunburned,terra-cotta 1964 - bayonet,dagger,dirk,dudgeon,impale,knife,lance,pierce,plunge in,poniard,run through,saber,spear,spike,spit,stab,stick,stiletto,sword,transfix,transpierce 1965 - bayou,affluent,arm,armlet,bay,belt,bight,billabong,boca,branch,confluent,confluent stream,cove,creek,dendritic drainage pattern,effluent,estuary,euripus,feeder,fjord,fork,frith,gulf,gut,harbor,inlet,kyle,loch,mouth,narrow,narrow seas,narrows,natural harbor,prong,reach,road,roads,roadstead,slough,sound,strait,straits,tributary 1966 - bazaar,auto show,boat show,closing-out sale,commercial complex,distress sale,emporium,exposition,fair,flea fair,flea market,garage sale,going-out-of-business sale,inventory-clearance sale,market,market overt,marketplace,mart,open market,plaza,rialto,rummage sale,sale,shopping center,shopping mall,shopping plaza,show,staple,street market,tax sale,trade fair,white elephant sale 1967 - bazoo,Bronx cheer,bird,boo,catcall,chaps,chops,embouchure,gab,gob,hiss,hoot,jaw,jaws,jowls,kisser,lips,mandibles,maw,maxilla,mouth,mug,mush,muzzle,oral cavity,pooh,pooh-pooh,premaxilla,razz,row,trap,yap 1968 - be above,be contemptuous of,care nothing for,contemn,deride,despise,disdain,disparage,disprize,dump on,feel contempt for,feel superior to,hold beneath one,hold cheap,hold in contempt,insult,look down upon,misprize,put down,rank low,ridicule,scorn,set at naught,sneer at,sneeze at,sniff at,snort at,think nothing of 1969 - be born,arise,awake,awaken,be begotten,be illegitimate,be incarnated,become,break out,burst forth,come alive,come forth,come into being,come into existence,come out,come to,come to be,come to life,crop up,erupt,get to be,hatch,have birth,have origin,irrupt,issue,issue forth,live again,originate,quicken,reanimate,resurge,resuscitate,return to life,revive,rise,rise again,see the light,spring up,take birth,take rise 1970 - be careful,be cautious,bend over backwards,exercise care,go on tiptoe,handle with gloves,have a care,make haste slowly,pussyfoot,take care,take good care,take heed,take it easy,take pains,take trouble,think twice,tiptoe,tread on eggs,treat gently,walk on eggshells 1971 - be gone,be all over,be consumed,be past,cease,cease to be,cease to exist,dematerialize,depart,die,die away,die out,disappear,dispel,disperse,dissipate,dissolve,do a fade-out,dwindle,elapse,erode,evanesce,evaporate,exit,fade,fade away,fade out,flee,fly,go,go away,have run out,hide,lapse,leave no trace,leave the scene,melt,melt away,pass,pass away,pass out,perish,retire from sight,sink,sink away,suffer an eclipse,vanish,vanish from sight,waste,waste away,wear away 1972 - be in,be in force,be the rage,be the rule,be the thing,carry,deal in,dominate,handle,job,market,merchandise,obtain,predominate,prevail,reign,retail,rule,sell,trade in,traffic in,wholesale 1973 - be off,beat it,begone,clear out,flake off,get,get going,get lost,get off,get out,git,go forth,hit the road,issue,issue forth,make yourself scarce,outset,outstart,put forth,sally,sally forth,scram,set forth,set forward,set off,set out,shove off,start,start off,start out,strike out,vamoose 1974 - be still,abide,be a sideliner,coast,delay,do nothing,drift,freeze,hang fire,hibernate,idle,keep quiet,lie dormant,lie still,mark time,not breathe,not budge,not stir,remain,remain motionless,repose,rest,sit back,sit it out,stagnate,stand,stand fast,stand firm,stand still,stay,stay put,stick,stick fast,tarry,tread water,vegetate,wait and see,watch and wait 1975 - be,abide,be extant,be found,be in existence,be met with,be present,be the case,be there,breathe,come,continue,endure,exist,go on,happen to be,have being,have place,hold,live,move,obtain,occur,persist,prevail,remain,stand,subsist 1976 - beach,bank,berm,careen,cast away,coast,coastland,coastline,embankment,foreshore,ground,ironbound coast,lido,littoral,margin,pile up,plage,playa,riverside,riviera,rockbound coast,run aground,sands,sea margin,seabank,seabeach,seaboard,seacliff,seacoast,seashore,seaside,shingle,shipwreck,shore,shoreline,strand,submerged coast,take the ground,tidewater,waterfront,waterside,wreck 1977 - beachcomber,Arab,Bowery bum,beach bum,beggar,beggarly fellow,blighter,bo,budmash,bum,bummer,caitiff,derelict,devil,dogie,drifter,drunkard,gamin,gamine,good-for-naught,good-for-nothing,guttersnipe,hobo,homeless waif,human wreck,idler,landloper,lazzarone,loafer,losel,lowlife,mauvais sujet,mean wretch,mucker,mudlark,no-good,pauvre diable,piker,pilgarlic,poor creature,poor devil,ragamuffin,ragman,ragpicker,rounder,sad case,sad sack,ski bum,skid-row bum,stiff,stray,street Arab,street urchin,sundowner,surf bum,swagman,swagsman,tatterdemalion,tennis bum,tramp,truant,turnpiker,urchin,vag,vagabond,vagrant,vaurien,waif,waifs and strays,wastrel,worthless fellow,wretch 1978 - beachhead,acropolis,advance guard,airhead,avant-garde,bastion,battle line,blockhouse,bridgehead,bunker,castle,citadel,donjon,farthest outpost,fasthold,fastness,first line,forefront,fort,fortress,front,front line,front rank,front-runner,garrison,garrison house,hold,keep,line,martello,martello tower,mote,motte,outguard,outpost,peel,peel tower,pillbox,pioneer,point,post,precursor,railhead,rath,safehold,scout,spearhead,strong point,stronghold,tower,tower of strength,van,vanguard,ward 1979 - beacon,AM transmitter,FM transmitter,Klaxon,Mayday,RT transmitter,Roman candle,SOS,Texas tower,Very flare,aid to navigation,air-raid alarm,airport beacon,airway beacon,alarm,alarm bell,alarm clock,alarm signal,alarum,alert,all clear,amateur transmitter,amber light,anchor light,approach light,backfire,balefire,beacon fire,beacons,beam,bell,bell buoy,belvedere,blaze,bleachers,blinker,blinker light,blinking light,blue peter,bonfire,bridge,buoy,burglar alarm,burning ghat,buzzer,campfire,caution light,ceiling light,cheerful fire,combustion,conflagration,conning tower,corposant,cozy fire,crackling fire,crematory,crostarie,death fire,fan marker,fen fire,fiery cross,fire,fire alarm,fire bell,fire flag,five-minute gun,flame,flare,flare path,flare-up,flashing light,flashing point,flicker,flickering flame,fog bell,fog signal,fog whistle,foghorn,forest fire,fox fire,funeral pyre,fusee,gale warning,gallery,gazebo,glance,go light,gong buoy,grandstand,green light,heliograph,high sign,hooter,horn,hue and cry,hurricane warning,ignis fatuus,ignition,ingle,international alphabet flag,international numeral pennant,kick,lambent flame,leer,light,lighthouse,lightship,lookout,loophole,magnesium flare,marker,marker beacon,marshfire,microphone,navigation light,nod,note of alarm,nudge,observation post,observatory,occulting light,open fire,outlook,overlook,parachute flare,peanut gallery,peephole,pharos,pilot flag,poke,police whistle,prairie fire,pylon,pyre,quarantine flag,racon,radar beacon,radiator,radio beacon,radio range beacon,radio transmitter,radiomicrophone,radiosonde,raging fire,red flag,red light,ringside,ringside seat,rocket,sailing aid,sea of flames,semaphore,semaphore flag,semaphore telegraph,sheet of fire,sighthole,sign,signal,signal beacon,signal bell,signal fire,signal flag,signal flare,signal gong,signal gun,signal lamp,signal light,signal mast,signal of distress,signal post,signal rocket,signal shot,signal siren,signal tower,siren,skyrocket,small-craft warning,smudge fire,spar buoy,still alarm,stop light,storm cone,storm flag,storm warning,the nod,the wink,three-alarm fire,tocsin,top gallery,touch,tower,traffic light,traffic signal,transceiver,transmitter,two-alarm fire,two-minute gun,upside-down flag,watch fire,watchtower,whistle,white flag,wigwag,wigwag flag,wildfire,wind cone,wind indicator,wind sock,wink,witch fire,yellow flag 1980 - bead,anklet,armlet,ball,balloon,bangle,beads,bejewel,beribbon,bespangle,bijou,bracelet,breastpin,brooch,chain,chaplet,charm,chatelaine,circle,conglobulate,coronet,crown,dewdrop,diadem,diamond,drop,droplet,earring,engrave,feather,figure,filigree,flag,flounce,flower,fob,garland,gem,globe,illuminate,jewel,locket,mushroom,necklace,nose ring,paint,pearl,pin,plume,precious stone,raindrop,rhinestone,ribbon,ring,snowball,spangle,sphere,spherify,stickpin,stone,teardrop,tiara,tinsel,torque,wampum,wreathe,wristband,wristlet 1981 - beaded,adorned,bead-like,bead-shaped,beady,bedecked,bedizened,befrilled,bejeweled,beribboned,bespangled,decked out,decorated,embellished,feathered,festooned,figured,flowered,garnished,jeweled,ornamented,plumed,spangled,spangly,studded,tricked out,trimmed,wreathed 1982 - beading,binding,bordering,bordure,edging,fimbria,fimbriation,flounce,frill,frilling,fringe,furbelow,galloon,hem,list,motif,ruffle,selvage,skirting,trimming,valance,welt 1983 - beadle,Bible clerk,Bible reader,G-man,MP,acolyte,almoner,anagnost,bailiff,beagle,bedral,bound bailiff,capitular,capitulary,captain,catchpole,chief of police,choir chaplain,churchwarden,clerk,commissioner,constable,deacon,deaconess,deputy,deputy sheriff,detective,elder,elderman,fed,federal,flic,gendarme,government man,inspector,lay elder,lay reader,lector,lecturer,lictor,lieutenant,mace-bearer,marshal,mounted policeman,narc,officer,parish clerk,patrolman,peace officer,police captain,police commissioner,police constable,police inspector,police matron,police officer,police sergeant,policeman,policewoman,portreeve,precentor,reader,reeve,roundsman,ruling elder,sacrist,sacristan,sergeant,sergeant at arms,sexton,shames,sheriff,sidesman,succentor,suisse,superintendent,teaching elder,thurifer,tipstaff,tipstaves,trooper,verger,vergeress 1984 - beads,Agnus Dei,Angelus,Ave,Ave Maria,Hail Mary,Holy Grail,Host,Kyrie Eleison,Paternoster,Pieta,Sanctus bell,Sangraal,aid prayer,appeal,ark,asperger,asperges,aspergillum,bambino,beadroll,beseechment,bidding prayer,breviary,candle,censer,chaplet,ciborium,collect,communion,contemplation,cross,crucifix,cruet,devotions,entreaty,eucharistial,grace,holy cross,holy water,holy-water sprinkler,icon,impetration,imploration,incensory,intercession,invocation,litany,matzo,meditation,menorah,mezuzah,mikvah,monstrance,obsecration,obtestation,orison,osculatory,ostensorium,paschal candle,pax,petition,phylacteries,prayer,prayer shawl,prayer wheel,pyx,relics,rogation,rood,rosary,sacramental,sacred relics,sacring bell,shofar,silent prayer,suit,sukkah,supplication,tabernacle,tallith,thanks,thanksgiving,thurible,urceole,veronica,vigil light,votive candle 1985 - beagle,G-man,MP,bailiff,beadle,bound bailiff,captain,catchpole,chief of police,commissioner,constable,deputy,deputy sheriff,detective,dick,eye,fed,federal,flatfoot,flic,gendarme,government man,gumshoe,gumshoe man,hawkshaw,inspector,lictor,lieutenant,mace-bearer,marshal,mounted policeman,narc,officer,patrolman,peace officer,police captain,police commissioner,police constable,police inspector,police matron,police officer,police sergeant,policeman,policewoman,portreeve,private eye,reeve,roundsman,sergeant,sergeant at arms,sheriff,skip tracer,sleuthhound,spotter,superintendent,tec,tipstaff,tipstaves,trooper 1986 - beak,JP,Justice,antlia,arbiter,arbitrator,beezer,bencher,bill,bow,bowsprit,bugle,cape,conk,court,critic,downspout,figurehead,forecastle,foredeck,foreland,forepeak,gargoyle,head,headland,his honor,his lordship,his worship,indicator,jib boom,judge,justice,magistrate,moderator,muffle,muzzle,nares,naze,neb,nib,nose,nostrils,nozzle,olfactory organ,pecker,pick,point,proboscis,prore,prow,referee,rhinarium,rostrum,schnozzle,smeller,snoot,snout,spout,stem,trunk,umpire,waterspout 1987 - beaked,Roman-nosed,aquiline,aquiline-nosed,beak-nosed,beak-shaped,bill-like,bill-shaped,billed,clawlike,crookbilled,crooked,crooknosed,down-curving,hamate,hamiform,hamulate,hooked,hooklike,parrot-nosed,rhamphoid,rostrate,rostriform,unciform,uncinate,unguiform 1988 - beam,AM signal,CRT spot,DM display,Doppler signal,FM signal,H beam,I beam,IF signal,IF video signal,IM display,RF amplifier,RF echoes,RF signal,RF stage,TV band,X ray,abutment,actinic ray,actinism,amplitude,angle rafter,arc-boutant,atomic beam,atomic ray,audio signal,backside,balk,bank,bar,batten,be bright,be in heaven,be pleased,beacon,beam,beam of light,beat signal,bedazzle,beggar description,behind,billet,blaze,blind,blips,bloom,board,boarding,boom,border,bottom,bounce,bounces,box girder,brace,breadth,breakwater,breastsummer,bright smile,broad grin,broadcast,broadness,broadside,bulwark,burn,buttress,buttress pier,buttressing,can,cant hook,caper,caracole,cheek,chirp,chirrup,chop,clapboard,claw bar,coast,corbel,cord,cordwood,crack a smile,crank,crossbeam,crosstie,crow,crowbar,dance,daze,dazzle,deal,delight,derriere,die with delight,diffuse light,direct signal,display,distance across,double-dot display,driftwood,ear-to-ear grin,echo,echo signal,embankment,equalizing pulse,expanse,extent,fan marker,fanny,feel happy,firewood,flame,flank,flare,flare path,flash,flying buttress,footing beam,frolic,fulgurate,fullness,gambol,gamma ray,girder,give light,glance,glare,gleam,gleaming smile,glint,glow,glowing smile,go into raptures,grin,grinning,groin,hammer beam,hand,handedness,handspike,hanging buttress,hardwood,haunch,hip,hip rafter,idiotic grin,incandesce,infrared ray,invisible radiation,iron crow,jam,jetty,jimmy,joist,jowl,joy,jutty,knock dead,laterality,lath,lathing,lathwork,latitude,lattice girder,laugh,leam,lever,lilt,limb,lintel,local oscillator signal,log,lumber,luster,many-sidedness,marker,marlinespike,mole,multilaterality,newscast,output pulse,output signal,outrigger,panelboard,paneling,panelwork,patch,peavey,pedal,pencil,photoemission,photon,picture,picture carrier,pier,pier buttress,pinch bar,pips,plank,planking,plate girder,plyboard,plywood,pole,post,posterior,prize,profile,pry,puncheon,purr,pylon,quarter,racon,radar beacon,radar signal,radiate,radiate cheer,radiation,radio,radio beacon,radio-frequency amplifier,radio-frequency signal,radio-frequency stage,radiobroadcast,radiorays,rafter,rampart,ray,ray of light,reading,rear,reflected signal,reflection,retaining wall,return,return beam,return signal,ribbon,ribbon of light,ridge strut,ridgepole,ripping bar,romp,sardonic grin,scanning beam,seat,seawall,send,send out rays,shaft,shake,sheathing,sheathing board,sheeting,shine,shine brightly,shingle,shoot,shoot out rays,shore,shortwave,shortwave signal,shoulder,side,sideboard,siding,sign off,sign on,signal,signal display,sill,simper,sing,skip,slab,slat,sleeper,smile,smile brightly,smiling,smirk,softwood,solar rays,sound carrier,span,spar,sparkle,splat,sportscast,spot,spread,sprit,stave,stick,stick of wood,stovewood,streak,stream,stream of light,streamer,stringpiece,strut,stud,studding,stupid grin,summer,summertree,synchronizing signal,take great satisfaction,target image,television channel,temple,three-by-four,tie,tie beam,timber,timbering,timberwork,toothful grin,trace,transmit,transmitter signal,transom,transverse,trave,traverse,tread on air,treadle,trestle,truss,truss beam,two-by-four,ultraviolet ray,unidirectional signal,unilaterality,vertical synchronizing pulse,video signal,violet ray,voltage pulse,weatherboard,whistle,wideness,width,wind cone,wind indicator,wind sock,wireless,wood,wrecking bar 1989 - beaming,aglow,beamy,beatific,beatified,blessed,blissful,blithe,blithesome,blooming,blushing,bright,bright and sunny,brilliant,burning,candescent,capering,cheerful,cheery,chirping,dancing,dazzling,devastating,divine,effulgent,elated,eupeptic,euphoric,exalted,exhilarated,flushed,flushed with joy,flushing,fulgent,gay,genial,glad,gladsome,glamorous,gleaming,gleamy,glinting,glorious,glowing,gorgeous,happy,heavenly,high,hopeful,illuminant,in good spirits,in high spirits,incandescent,irradiative,irrepressible,joyful,joyous,killing,lambent,lamping,laughing,leaping,light as day,lucent,luciferous,lucific,luciform,luminant,luminative,luminiferous,luminificent,luminous,lustrous,of good cheer,optimistic,orient,pleasant,purring,radiant,raving,ravishing,refulgent,resplendent,riant,rosy,rutilant,rutilous,sanguine,sanguineous,shining,shiny,singing,smiling,smirking,sparkling,splendid,splendorous,splendrous,starbright,starlike,starry,starry-eyed,streaming,stunning,sublime,suffused,sunny,sunshiny,thrice happy,winsome 1990 - bean pole,barebones,beanstalk,broomstick,clothes pole,corpse,giant,grenadier,lanky,longlegs,longshanks,rattlebones,seven-footer,shadow,skeleton,slim,spindlelegs,spindleshanks,stack of bones,stilt,twiggy,walking skeleton 1991 - bean,Irish potato,Kraut,a continental,a curse,a damn,a darn,a hoot,algae,aubergine,autophyte,bagatelle,bauble,beans,belfry,bibelot,bit,bracken,brain,brass farthing,brow,brown algae,button,cabbage,cent,climber,conferva,confervoid,conk,creeper,crown,curio,diatom,dome,eggplant,encephalon,farce,farthing,feather,fern,fig,fleabite,folderol,fribble,frippery,fruits and vegetables,fucus,fungus,gaud,gewgaw,gimcrack,grapevine,gray matter,green algae,greens,gulfweed,hair,halfpenny,head,headpiece,herb,heterophyte,hill of beans,ivy,jest,joke,kelp,kickshaw,knickknack,knickknackery,legume,legumes,lentil,liana,lichen,liverwort,love apple,mad apple,minikin,mockery,mold,molehill,moss,mushroom,noddle,noggin,noodle,organ of thought,parasite,parasitic plant,pate,pea,peppercorn,perthophyte,phytoplankton,picayune,pieplant,pin,pinch of snuff,pinprick,planktonic algae,plant families,poll,potato,potherbs,produce,puffball,pulse,rap,red algae,red cent,rhubarb,ridge,rockweed,row of pins,rush,rust,saprophyte,sargasso,sargassum,sconce,sea lentil,sea moss,sea wrack,seat of thought,seaweed,sensation,sensorium,sensory,shit,smut,snap,sneeshing,sou,spud,straw,succulent,tater,toadstool,tomato,toy,trifle,trinket,triviality,tuppence,two cents,twopence,vegetables,vetch,vine,whim-wham,white potato,wort,wrack 1992 - beanery,automat,bistro,buffet,buvette,cafe,cafeteria,canteen,cantina,chophouse,chuck wagon,coffee shop,coffeehouse,coffeeroom,cookhouse,cookshack,cookshop,diner,dining hall,dining room,dog wagon,drive-in,drive-in restaurant,eatery,eating house,fast-food chain,grill,grillroom,hamburger stand,hash house,hashery,hot-dog stand,kitchen,lunch counter,lunch wagon,luncheonette,lunchroom,mess hall,pizzeria,quick-lunch counter,restaurant,sandwich shop,smorgasbord,snack bar,tavern,tearoom,trattoria 1993 - bear down on,accost,advance,advance against,advance upon,approach,approach anchorage,appropinquate,approximate,bear against,bear down upon,bear hard upon,bear up,bear up for,bear up to,close,close in,close with,come,come closer,come forward,come near,come on,come up,confront,counterattack,draw near,draw nigh,drive,encounter,fetch,flank,gain upon,gas,go aboard,go alongside,high-pressure,infiltrate,launch an attack,lay aboard,lay for,lay in,lean on,lie in,make,make at,make for,march against,march upon,mount an attack,narrow the gap,near,open an offensive,press,pressure,proximate,push,put away for,put in,put into port,put pressure on,reach,run for,sail for,sidle up to,squeeze,stand for,steer toward,step up,strike,thrust 1994 - bear down,beat down,bring low,buckle down,couch,crush,debase,defeat,depress,detrude,do double duty,downbear,elucubrate,endeavor,get cracking,get cutting,go all out,haul down,hit the ball,hop to it,hotfoot,hump,hump it,hustle,indent,knuckle down,lay to,lean on it,let down,lower,lucubrate,overpower,overwork,ply the oar,pour it on,press down,pull down,push down,reduce,scratch,shag ass,shake a leg,shake it up,sink,slave,snap to it,spare no effort,step on it,subdue,subjugate,sweat,take down,tear ass,thrust down,vanquish,work hard,work late,work overtime 1995 - bear fruit,advance,bear,bloom,blossom,blow,bring forth,bring to maturity,come to fruition,develop,evolute,evolve,flourish,flower,fructify,fruit,furnish,grow,grow up,maturate,mature,mellow,produce,progress,reach its season,reach maturity,ripe,ripen,wax,yield 1996 - bear hug,bite,clamp,clasp,clench,clinch,cling,clinging,clutch,death grip,embrace,enfoldment,firm hold,foothold,footing,grapple,grasp,grip,gripe,hold,hug,iron grip,nip,purchase,seizure,squeeze,tight grip,toehold 1997 - bear in mind,brood over,cherish,consider,contemplate,dwell on,dwell upon,entertain thoughts of,fan the embers,harbor an idea,have in mind,have regard for,have thoughts about,hold an idea,hold in mind,hold the thought,keep,keep in memory,keep in mind,keep in sight,keep in view,reckon with,retain,take account of,take cognizance of,take heed of,take into account,take into consideration,take note of,take notice of,think of,treasure 1998 - bear off,about ship,angle,angle off,avert,back and fill,bear away,bear to starboard,beat,beat about,bend,bias,box off,branch off,break,bring about,bring round,cant,cant round,cast,cast about,change course,change the bearing,change the heading,come about,crook,curve,deflect,depart from,detour,deviate,digress,divagate,divaricate,diverge,double a point,draw aside,drift,drift off course,drive,ease off,edge off,fall down,fetch about,fetch away,fly off,gee,glance,glance off,go about,go off,gybe,haul off,haw,head off,head to leeward,heave round,heel,jib,jibe,jibe all standing,make leeway,make way for,miss stays,move aside,oblique,pay off,ply,put about,put back,put off,round a point,run from,sag,sail away from,sheer,sheer off,shift,shove aside,shove off,shunt,shy,shy off,side,sidestep,sidetrack,sidle,skew,slew,slue,stand from,stand off,steer away from,steer clear of,step aside,sway,swerve,swing round,swing the stern,switch,tack,throw about,trend,turn,turn aside,turn away,turn back,twist,vary,veer,veer off,wear,wear ship,wind,yaw,yaw off 1999 - bear out,affirm,afford support,attest,authenticate,back,back up,bear,bear up,bolster,bolster up,buttress,certify,circumstantiate,confirm,corroborate,crutch,document,finance,fortify,fund,give support,hold up,justify,keep,lend support,maintain,probate,prop,prop up,prove,ratify,reinforce,shore,shore up,strengthen,subsidize,substantiate,subvention,subventionize,support,sustain,undergird,upbear,uphold,upkeep,validate,verify,warrant 2000 - bear up,accost,advance,afford support,approach,appropinquate,approximate,assure,back,back up,be proof against,bear,bear down on,bear down upon,bear out,bear the brunt,bear up against,bear up under,bolster,bolster up,brace,buoy,buoy up,buttress,carry,cheer,close,close in,close with,come,come closer,come forward,come near,come on,come up,come up fighting,comfort,condole with,confront,console,cradle,crutch,cushion,defy,draw near,draw nigh,ease,encounter,encourage,endure,finance,float,float high,fund,gain upon,give comfort,give support,hang in,hang in there,hang on,hang tough,hearten,hold,hold fast,hold on,hold out,hold up,keep,keep afloat,keep up,lend support,live through it,live with it,mainstay,maintain,narrow the gap,near,never say die,not flag,not give up,not weaken,pillow,prop,prop up,proximate,put at ease,reassure,rebuff,reinforce,relieve,repel,repulse,resist,ride high,see it out,set at ease,shore,shore up,shoulder,sidle up to,solace,stand,stand the gaff,stand up,stay,stay it out,stay the distance,stay with it,step up,stick,stick it,stick it out,stick out,stick to it,stick with it,subsidize,subvention,subventionize,support,sustain,sweat it out,sympathize with,take it,take what comes,tough it out,underbrace,undergird,underlie,underpin,underset,upbear,uphold,upkeep,uplift,upraise,waft,withstand 2001 - bear upon,abut on,act on,affect,answer to,appertain to,apply to,approach,assault,be based on,bear,bear on,belong to,bestraddle,bestride,boost,buck,bull,bulldoze,bump,bump against,bunt,butt,butt against,concern,connect,correspond to,cram,crowd,deal with,dig,draw,draw on,drive,elbow,exert influence,force,get cozy with,goad,have connection with,hurtle,hustle,interest,involve,jab,jam,jog,joggle,jolt,jostle,lead on,lean on,liaise with,lie on,link with,lobby,lobby through,magnetize,make advances,make overtures,make up to,nudge,perch,pertain to,pile drive,poke,press,press down,prod,pull strings,punch,push,ram,ram down,rattle,refer to,regard,relate to,rely on,repose on,respect,rest on,ride,run,run against,shake,shoulder,shove,sit on,stand on,straddle,stress,stride,tamp,thrust,tie in with,touch,touch upon,treat of,weigh on,weigh upon,wire-pull,work on 2002 - bear with,abide,abide with,allow for,bear,bide,blink at,brave,brook,condone,connive at,countenance,disregard,endure,hang in,hang in there,hang tough,have,hear of,ignore,indulge,leave unavenged,let it go,lump,lump it,make allowances for,overlook,pass over,persevere,pocket,pocket the affront,put up with,regard with indulgence,spare the rod,stand,stand for,stick,stomach,suffer,support,sustain,swallow,take,take up with,tolerate,wink at 2003 - bear witness against,betray,blab,blow the whistle,fink,inform against,inform on,narc,peach,rat,sell out,snitch,snitch on,squeal,stool,tattle,tell on,testify against,turn informer 2004 - bear witness,acknowledge,affirm,allege,asseverate,attest,aver,avouch,avow,certify,depone,depose,disclose,give evidence,swear,testify,vouch,warrant,witness 2005 - bear,Cape polecat,Tartar,abide,abide with,acquiesce,acquit,act,admit of,affect,afflict,afford,afford support,aim,allow,answer,ape,appertain,apply,assault,attend,author,avail,back,back up,bar,be confined,be equal to,be worthy of,bear a child,bear account,bear fruit,bear on,bear out,bear the market,bear up,bear upon,bear with,bear young,beget,bide,birth,blink at,bolster,bolster up,boost,bosom,bow,brace,brave,breed,bring,bring about,bring forth,bring to birth,bring to effect,bring to pass,brook,buck,bull,bull the market,bulldoze,bump,bump against,bunt,buoy up,butt,butt against,buttress,calve,carry,cast,cause,cavy,chaperon,cheer,cherish,chimp,chimpanzee,cling to,clip,companion,comport,conceive,concern,condone,conduct,confirm,connive at,consort with,convey,convoy,coon,correspond,corroborate,countenance,cradle,cram,crank,create,crosspatch,crowd,crush,crutch,cushion,defer,deliver,demean,deport,develop,dig,digest,display,dispose,do,do it,dragon,drive,drop,effect,effectuate,elbow,embosom,embrace,encourage,endure,engender,entertain,escort,establish,exhibit,experience,fabricate,farrow,fashion,father,fawn,feist,ferret,ferry,fill the bill,finance,fire-eater,fly,foal,fondle,force,form,foster,foumart,found,freight,fructify,fruit,fulfill,fund,furnish,fury,generate,gestate,get by,give birth,give birth to,give occasion to,give origin to,give rise to,give support,glutton,go,go around,go on,goad,grizzly bear,grouch,groundhog,guinea pig,hack it,hang in,hang in there,hang tough,harbor,have,have a baby,have and hold,have young,head,hear of,hedgehog,hold,hold a heading,hold on to,hold out,hold up,hothead,hotspur,hug,hump,hurtle,hustle,inaugurate,incline,indulge,influence,institute,invent,invite,involve,jab,jam,jog,joggle,jolt,jostle,just do,keep,keep afloat,keep up,kitten,labor,lamb,lead,lend support,lie in,lift,light out,litter,lug,lump,lump it,mainstay,maintain,make,make allowances for,make do,make the grade,manhandle,manipulate the market,meet,meet requirements,merit,monk,monkey,mother,mousehound,move,multiply,nudge,nurse,nurture,occasion,opossum,originate,overlook,pack,parallel,pass,pass muster,peg the market,permit,persevere,pertain,pile drive,pillow,point,poke,polecat,porcupine,possess,possum,prairie dog,press,procreate,prod,produce,prop,prop up,propagate,provoke,punch,pup,push,put up with,qualify,quill pig,quit,raccoon,raid the market,ram,ram down,rattle,reach,realize,refer,reinforce,relate,reproduce,rig the market,run,run against,satisfy,serve,serve the purpose,set,set afloat,set on foot,set out,set up,shake,shape,shore,shore up,short,short account,short interest,short seller,short side,shorts,shoulder,shove,show,sire,skunk,sorehead,spare,spare the price,spawn,squab,squash,squeeze,squish,stand,stand for,stand up,stand up to,stay,steer,stick,stick out,still,stomach,stress,stretch,strike out,submit,subsidize,substantiate,subvention,subventionize,suffer,suffice,support,survive,sustain,swallow,sweat out,take,take it,take off,take up with,tamp,tend,tend to go,throw,thrust,tie in with,tolerate,torment,torture,tote,touch,touch on,touch upon,transport,travail,treasure,treasure up,trend,try,turn,turn out,ugly customer,underbrace,undergird,undergo,underlie,underpin,underset,upbear,uphold,upkeep,verge,waft,warrant,wash sales,weasel,well afford,whelp,whipsaw,whisk,whistle-pig,wing,wink at,wish,withstand,wolverine,woodchuck,work,yean,yield,zoril 2006 - beard,Vandyke,affront,ascender,back,bag,ballocks,balls,basket,bastard type,beaver,bell the cat,belly,bevel,bid defiance,bite the bullet,black letter,body,brave,brazen,brazen out,breasts,bristles,call out,cap,capital,case,cervix,challenge,clitoris,cod,cods,confront,counter,cullions,dare,defy,descender,double-dare,down,em,en,face,face out,face the music,face up,face up to,family jewels,fat-faced type,feet,female organs,font,front,genitalia,genitals,goatee,gonads,groove,imperial,italic,labia,labia majora,labia minora,letter,ligature,lingam,lips,logotype,lower case,majuscule,male organs,meat,meet,meet boldly,meet head-on,minuscule,nick,nuts,nymphae,outdare,outface,ovary,peach fuzz,penis,phallus,pi,pica,point,print,private parts,privates,privy parts,pubic hair,pudenda,reproductive organs,rocks,roman,run the gauntlet,sans serif,scream defiance,script,scrotum,secondary sex characteristic,set at defiance,sex organs,shank,shoulder,show fight,side whiskers,small cap,small capital,speak out,speak up,spermary,stamp,stand up to,stare down,stem,stubble,testes,testicles,tuft,type,type body,type class,type lice,typecase,typeface,typefounders,typefoundry,upper case,uterus,vagina,venture,vulva,whisker,whiskers,womb,yoni 2007 - beardless,acomous,bald,bald-headed,boyish,boylike,calflike,childish,childlike,clean-shaven,coltish,depilous,girlish,girllike,glabrous,hairless,kiddish,maiden,maidenly,puerile,puplike,puppyish,puppylike,shaven,smooth,smooth-faced,smooth-shaven,tonsured 2008 - bearer,Aquarius,Ganymede,Hebe,advocate,alpenstock,arm,athletic supporter,back,backbone,backing,bandeau,bheesty,boy,bra,brace,bracer,bracket,brassiere,busboy,buttress,caddie,cane,cargo handler,carrier,carrier pigeon,carter,cervix,common carrier,conveyer,coolie,corset,courier,crook,crutch,cupbearer,drayman,emissary,envoy,express,expressman,foundation garment,freighter,fulcrum,girdle,griever,gun bearer,guy,guywire,hauler,homing pigeon,internuncio,jock,jockstrap,keener,lamenter,letter carrier,litter-bearer,mainstay,maintainer,mast,mourner,mute,neck,pallbearer,porter,professional mourner,prop,redcap,reinforce,reinforcement,reinforcer,rest,resting place,rigging,shield-bearer,shoulder,shroud,skycap,spine,sprit,staff,standing rigging,stave,stay,stevedore,stick,stiffener,strengthener,stretcher-bearer,support,supporter,sustainer,the Water Bearer,transporter,truck driver,trucker,upholder,wagoner,walking stick,water boy,water carrier 2009 - bearing,Zeitgeist,action,actions,activity,acts,address,affectation,affective meaning,aftermath,aim,air,air express,airfreight,airlift,applicability,application,appositeness,aspect,asportation,attitude,axis,azimuth,backing,ball bearing,bearings,beck,beckon,behavior,behavior pattern,behavioral norm,behavioral science,bent,bevel bearing,birthing,body language,bolstering,boost,born,bracing,brow,bump,bumper crop,bunt,burdened,bushing,butt,buttressing,calved,carriage,carry,carrying,cartage,cast,cast of countenance,celestial navigation,charade,chassis,childbearing,childbirth,chironomy,color,coloring,complexion,comportment,concern,concernment,conduct,connection,connotation,consequence,conveyance,correlation,countenance,course,crop,culture pattern,current,custom,dactylology,dead reckoning,deaf-and-dumb alphabet,delivery,demeanor,denotation,deportment,dig,direction,direction line,display,doing,doings,drayage,drift,dropped,dumb show,effect,endurance,enduring,essence,exposure,expressage,extension,face,facial appearance,favor,feature,features,ferriage,fix,foaled,folkway,force,frame,freight,freightage,front,frontage,fructiferous,fructification,fruit,fruitbearing,fruiting,fruition,fulcrum,garb,germaneness,gesticulation,gesture,gesture language,gestures,gist,given birth,giving birth,glacial movement,goings-on,grammatical meaning,guise,hand signal,harvest,hatched,haulage,hauling,head,heading,headstock,helmsmanship,holding,hustle,idea,impact,implication,import,inclination,infrastructure,intension,interest,jab,jewel,jog,joggle,jolt,jostle,kinesics,lay,lexical meaning,lie,lighterage,line,line of direction,line of march,line of position,lineaments,lines,literal meaning,look,looks,lugging,main current,mainstream,maintaining,maintien,make,manner,manners,materiality,meaning,method,methodology,methods,mien,modus vivendi,motion,motions,mount,mounting,movement,movements,moves,navigation,nee,needle bearing,newborn,nudge,oarlock,observable behavior,orientation,output,overtone,packing,pantomime,parturition,pattern,pertinence,physiognomy,pilotage,piloting,pith,pivot,point,poise,poke,port,portage,porterage,pose,position,position line,posture,practical consequence,practice,praxis,presence,press,pressure,procedure,proceeding,proceeds,prod,produce,producing,product,production,propping,punch,purport,push,quarter,radio bearing,railway express,range,range of meaning,real meaning,reference,referent,regard,relatedness,relation,relationship,relevance,respect,rest,resting point,roller bearing,rowlock,run,scope,second crop,semantic cluster,semantic field,sense,set,setting,shipment,shipping,shoring,shove,shrug,sign language,significance,signification,significatum,signifie,skeleton,social science,span of meaning,spirit,stance,stand,steerage,steering,stillborn,stream,stress,structural meaning,style,substance,sum,sum and substance,supporting,supportive,suspensory,sustaining,sustentative,swing,symbolic meaning,tactics,telpherage,tendency,tenor,the general tendency,the main course,thole,tholepin,thrust,thrust bearing,time spirit,tone,totality of associations,toting,track,traits,transferred meaning,transport,transportation,transshipment,trend,truckage,turn,unadorned meaning,underframe,undertone,upholding,value,vintage,visage,waft,waftage,wagonage,way,way of life,ways,whelped,yield,yielding 2010 - bearings,abode,accommodation,achievement,adaptation,adjustment,alerion,alignment,animal charge,annulet,area,argent,armorial bearings,armory,arms,aspect,attitude,azimuth,azure,bandeau,bar,bar sinister,baton,bearing,bench mark,bend,bend sinister,billet,blazon,blazonry,bordure,broad arrow,cadency mark,canton,case,celestial navigation,chaplet,charge,chevron,chief,circumstance,coat of arms,cockatrice,condition,coronet,crescent,crest,cross,cross moline,crown,dead reckoning,device,difference,differencing,disorientation,district,eagle,emplacement,ermine,ermines,erminites,erminois,escutcheon,estate,exposure,falcon,fess,fess point,field,file,fix,flanch,fleur-de-lis,footing,fret,frontage,fur,fusil,garland,griffin,gules,gyron,hatchment,helmet,heraldic device,hole,honor point,impalement,impaling,inescutcheon,jam,label,latitude and longitude,lay,lie,lieu,line of position,lion,locale,locality,location,locus,lot,lozenge,mantling,marshaling,martlet,mascle,metal,modality,mode,motto,mullet,nombril point,octofoil,or,ordinary,orientation,orle,pale,paly,pass,pean,pheon,pickle,pilotage,pinpoint,place,placement,plight,point,position,position line,posture,predicament,purpure,quarter,quartering,radio bearing,rank,region,rose,sable,saltire,scutcheon,set,shield,site,situation,situs,spot,spread eagle,standing,state,station,status,stead,subordinary,tenne,tincture,torse,tressure,unicorn,vair,vert,whereabout,whereabouts,wreath,yale 2011 - bearish,abrupt,aggressive,beastly,bitchy,bluff,blunt,brash,brusque,cankered,cantankerous,cavalier,churlish,crabbed,cranky,cross,cross-grained,crotchety,crusty,curt,cussed,disagreeable,excitable,feisty,fractious,gruff,harsh,huffish,huffy,irascible,irritable,mean,ornery,perverse,rough,severe,sharp,short,snappish,snippy,spiteful,spleeny,splenetic,surly,testy,truculent,ugly,vinegarish,vinegary,waspish 2012 - beast of burden,Siberian husky,ass,camel,draft animal,dromedary,drudge,elephant,fag,galley slave,greasy grind,grind,grub,hack,horse,husky,llama,malamute,mule,ox,pack horse,plodder,reindeer,slave,sledge dog,slogger,sumpter,sumpter horse,sumpter mule,swot,workhorse 2013 - beast,Mafioso,Young Turk,animal,anthropophagite,barbarian,being,beldam,berserk,berserker,bomber,brute,cannibal,creature,creeping thing,critter,cur,demon,destroyer,devil,dog,dragon,dumb animal,dumb friend,fiend,fire-eater,firebrand,fury,goon,gorilla,gunsel,hardnose,hell-raiser,hellcat,hellhound,hellion,holy terror,hood,hoodlum,hothead,hotspur,hound,hyena,incendiary,insect,killer,living being,living thing,mad dog,madcap,man-eater,mongrel,monster,mugger,nihilist,pig,polecat,quadruped,rapist,reptile,revolutionary,savage,serpent,shark,she-wolf,skunk,snake,spitfire,swine,termagant,terror,terrorist,tiger,tigress,tough,tough guy,ugly customer,vandal,varmint,vermin,violent,viper,virago,vixen,whelp,wild beast,wild man,witch,wolf,worm,wrecker 2014 - beastly,Adamic,Circean,Draconian,Tartarean,abhorrent,abominable,abrupt,aggressive,animal,animalian,animalic,animalistic,anthropophagous,appalling,arrant,atrocious,awful,baneful,barbaric,barbarous,base,bearish,beastlike,below contempt,beneath contempt,bestial,blameworthy,bloodthirsty,bloody,bloody-minded,bluff,blunt,bodily,boorish,brash,brusque,brutal,brutalized,brute,brutelike,brutish,cannibalistic,carnal,carnal-minded,cavalier,churlish,coarse,contemptible,crude,cruel,cruel-hearted,crusty,curt,demoniac,demoniacal,deplorable,despicable,detestable,devilish,diabolic,dire,dirty,disagreeable,disgusting,dreadful,dumb,earthy,egregious,enormous,execrable,fallen,fell,feral,ferine,ferocious,fetid,fiendish,fiendlike,fierce,filthy,flagrant,fleshly,forbidding,foul,fulsome,ghastly,grievous,grim,gross,gruff,harsh,hateful,heinous,hellish,hideous,hoggish,horrendous,horrible,horrid,horrific,horrifying,ignoble,infamous,infernal,inhuman,inhumane,instinctive,instinctual,intolerable,lamentable,lapsed,loathsome,lousy,malodorous,material,materialistic,mephitic,miasmal,miasmic,mindless,monstrous,murderous,nasty,nauseating,nefarious,noisome,nonrational,nonspiritual,notorious,noxious,objectionable,obnoxious,obscene,odious,offensive,orgiastic,outrageous,physical,piggish,pitiable,pitiful,postlapsarian,rank,rebarbative,regrettable,repellent,reprehensible,repugnant,repulsive,revolting,rotten,rough,rude,ruthless,sad,sadistic,sanguinary,sanguineous,satanic,savage,scandalous,schlock,scurvy,severe,shabby,shameful,sharkish,sharp,shocking,shoddy,short,sickening,slavering,snippy,sordid,squalid,stinking,subhuman,surly,swinish,terrible,too bad,tragic,truculent,unchristian,uncivil,uncivilized,unclean,uncultivated,unhuman,unpleasant,unrefined,unspeakable,unspiritual,vicious,vile,villainous,woeful,wolfish,worst,worthless,wretched,zoic,zooidal,zoologic 2015 - beat about,about ship,agonize over,angle for,ask for,back and fill,be at sea,be hard put,be uncertain,bear away,bear off,bear to starboard,beat,beat about for,box off,break,bring about,bring round,cant,cant round,cast,cast about,change course,change the heading,come about,delve for,dig for,double a point,doubt,feel around,feel for,feel unsure,fetch about,fish for,flounder,follow,fumble,go about,go gunning for,grabble,grope,grope for,gun for,gybe,have trouble,heave round,hunt,hunt for,hunt up,jibe,jibe all standing,labor under difficulties,look,look for,look up,miss stays,ply,poke around,prowl after,pry around,pursue,put about,put back,puzzle over,quest,question,round a point,scrabble,search for,see to,seek,seek for,sheer,shift,slew,still-hunt,struggle,swerve,swing round,swing the stern,tack,thrash about,throw about,try to find,turn,turn back,veer,walk on eggshells,wear,wear ship,wind,wonder,wonder whether,yaw 2016 - beat around the bush,about the bush,around the bush,beat about,beat around,beg the question,bicker,boggle,cavil,choplogic,circumlocute,dodge,duck,equivocate,evade,evade the issue,fence,go round about,hedge,hem and haw,mystify,nitpick,obscure,palter,parry,periphrase,pick nits,prevaricate,pull away,pull back,pussyfoot,put off,quibble,recoil,sheer off,shift,shift off,shrink,shuffle,shy,shy away,shy off,sidestep,split hairs,step aside,swerve,tergiversate,ward off 2017 - beat back,brush off,chase,chase away,chase off,cut,dismiss,drive away,drive back,fend off,hold off,keep off,pack off,push back,put back,rebuff,refuse,repel,repulse,send away,send off,send packing,snub,spurn,thrust back,turn back,ward off 2018 - beat down,bargain,bear down,bend,bid,bid for,blow down,break,break down,bring down,bring low,bring to terms,browbeat,bulldoze,bully,burn down,cast down,castrate,chaffer,cheapen,chop down,clamp down on,coerce,compel,conquer,cow,crush,cut,cut down,cut prices,damp,dampen,dampen the spirits,darken,dash,daunt,decline,defeat,deflate,deject,depreciate,depress,despotize,devaluate,dicker,discourage,dishearten,dispirit,dive,domineer,domineer over,drive a bargain,enslave,fall,fall in price,fell,flatten,give way,grind,grind down,haggle,henpeck,higgle,huckster,humble,humiliate,intimidate,jew down,keep down,keep under,knock down,knock over,level,lord it over,lower,lower the spirits,mark down,master,mow down,negotiate,nose-dive,oppress,outbid,overawe,overbear,overmaster,overpower,override,overwhelm,pare,plummet,plunge,press down,press heavy on,prostrate,pull down,quell,rase,raze,reduce,repress,ride over,ride roughshod over,sadden,sag,shave,sink,slash,slump,smash,steamroller,subdue,subjugate,suppress,take down,tear down,terrorize,throw down,trample down,trample underfoot,trample upon,tread down,tread underfoot,tread upon,trim,tyrannize,tyrannize over,underbid,unman,vanquish,walk all over,walk over,weigh heavy on,weigh heavy upon,weigh upon 2019 - beat it,be off,begone,blow,clear out,dog it,duck and run,duck out,flake off,get,get going,get lost,get out,git,hit the road,lam,make yourself scarce,scram,shove off,skin out,split,take a powder,vamoose 2020 - beat off,block,check,counter,drive back,fend,fend off,hinder,hold at bay,hold off,keep at bay,keep off,obstruct,parry,push back,put back,rebuff,repel,repulse,stave off,stop,turn aside,ward off 2021 - beat the drum,advertise,ballyhoo,bark,beat,beat a tattoo,beat the drums,beat time,bill,blow the trumpet,boost,build up,bulletin,call to arms,call up,campaign for,celebrate,circularize,commemorate,conscript,count,count the beats,crusade for,cry up,dip,dress ship,drum,espouse,establish,exchange colors,fire a salute,flag,flag down,flash,give a signal,give a write-up,give publicity,give the nod,glance,hail,hail and speak,half-mast,hallow,hoist a banner,hold jubilee,honor,jubilate,jubilize,keep,keep time,kick,leer,levy,maffick,make a sign,make merry,mark,memorialize,mobilize,muster,nod,nudge,observe,placard,play drum,plug,poke,post,post bills,post up,pound,press-agent,promote,publicize,puff,raise a cry,rally,recruit,ruffle,salute,sell,sign,signal,signalize,solemnize,solemnly mark,sound a fanfare,sound a tattoo,sound an alarm,sound the trumpet,speak,spiel,take up,tap,thrum,thump,tom-tom,touch,unfurl a flag,wave,wave a flag,wave the hand,wink,write up 2022 - beat up,agitate,all in,batter,battered,beat,beat-up,beaten,beaten up,bedraggled,blowzy,bone-weary,broken-down,bruise,bushed,careless,chintzy,churn,churn up,clabber,clot,coagulate,colloid,colloidize,convulse,cream,curdle,dead,dead-and-alive,dead-tired,deadbeat,decrepit,derelict,dilapidated,disarrange,discompose,disquiet,disturb,dog-tired,dog-weary,done,done in,done up,drabbletailed,draggled,draggletailed,drained,emulsify,emulsionize,excite,exhausted,fagged out,ferment,flurry,fret,frowzy,frumpish,frumpy,gone,grubby,in rags,in ruins,incrassate,informal,inspissate,jell,jellify,jelly,knocked out,loose,lopper,lumpen,messy,mussy,negligent,paddle,perturb,perturbate,played out,poky,pooped,pooped out,prostrate,ragged,raggedy,ramshackle,ready to drop,rile,ripple,roil,roughen,ruffle,ruined,ruinous,rumple,run-down,scraggly,seedy,shabby,shake,shake up,shoddy,slack,slatternly,slipshod,sloppy,slovenly,slummy,sluttish,sordid,spent,squalid,stir,stir up,swirl,tacky,tattered,thicken,thrash soundly,tired out,tired to death,tottery,trouble,tuckered out,tumbledown,unkempt,unneat,unsightly,untidy,upset,used up,washed-up,weary unto death,whacked,whip,whip up,whisk,wiped out,work up,worn-out 2023 - beat,Alexandrine,Bohemian,about ship,abrade,abscond,accent,accentuation,addle,addled,aerate,agitate,air lane,all in,all up with,alternation,amaze,ambit,amphibrach,amphimacer,anacrusis,anapest,andante tempo,antispast,area,arena,arrhythmia,arsis,article,at a loss,atomize,bacchius,back and fill,baffle,baffled,bailiwick,balk,bamboozle,bamboozled,bang,bar beat,barnacle,barrage,bash,baste,bastinado,baton,batter,bear away,bear off,bear the palm,bear to starboard,beat a ruffle,beat a tattoo,beat about,beat all hollow,beat hollow,beat it,beat off,beat the drum,beat time,beat to windward,beat up,beaten,beaten path,beating,beguile of,belabor,belt,best,bested,better,bicker,bilk,birch,blend,blow,bludgeon,boggle,bone-weary,border,borderland,bout,box off,bray,break,breakaway,brecciate,bring about,bring round,broke,bruise,budget of news,buffalo,buffaloed,buffet,bunco,bung,bung up,bureaucracy,bureaucratism,burn,burn out,bushed,busted,cadence,cadency,caesura,cane,cant,cant round,cast,cast about,catalexis,change course,change the heading,chase,cheat,chinoiserie,chisel,chloriamb,chloriambus,chouse,chouse out of,churn,churn up,circle,circuit,circumvent,clobber,close-haul,clout,club,cog,cog the dice,colon,comb,come about,comminute,compound time,con,confound,confounded,conquer,contriturate,contuse,convulse,copy,count,count the beats,counterpoint,course,cowhide,cozen,cream,cretic,crib,crumb,crumble,crush,cudgel,curry,cut,cycle,cyclicalness,dactyl,dactylic hexameter,daily grind,dance,dash,daze,dazed,dead,dead-and-alive,dead-tired,deadbeat,debilitate,defeat,defeated,defraud,demesne,depart,department,destroy,diaeresis,diastole,diddle,dimeter,din,ding,dipody,disappoint,disarrange,discipline,discomfited,discompose,disintegrate,disquiet,disturb,do,do in,do out of,do up,dochmiac,dog,dog-tired,dog-weary,domain,dominion,done,done for,done in,done up,double a point,down,downbeat,drained,drive,drive away,drive off,drub,drum,drum music,drumbeat,drumfire,drumming,duff,dump,duple time,elegiac,elegiac couplet,elegiac pentameter,emphasis,enervate,epitrite,euchre,exceed,excel,excite,exclusive,exhaust,exhausted,fag,fag out,fagged,fagged out,falcon,fallen,far out,fashion,fatigue,fatigued,feminine caesura,ferment,fetch about,field,finagle,fix,fixed,flag,flagellate,flail,flam,flap,flat,flat broke,fleece,flick,flicker,flight path,flimflam,flip,flit,flitter,flog,floor,floored,flop,flour,flurry,flush,flutter,foam,fob,foil,follow the hounds,foot,forage,forge,form,fowl,fragment,frazzle,free and easy,freeloader,fret,fringy,froth,fuddle,fuddled,fudge,full circle,fustigate,get,give a whipping,give the stick,go about,go hunting,go pitapat,gone,gouge,grain,granulate,granulize,grate,grind,grind to powder,groove,grub,gull,gun,gutter,gybe,gyp,hammer,harass,have,hawk,heartbeat,heartthrob,heave round,hemisphere,heptameter,heptapody,heretical,heroic couplet,heterodox,hexameter,hexapody,hide,hippie,hit the road,hocus,hocus-pocus,hors de combat,horsewhip,hound,hunt,hunt down,iamb,iambic,iambic pentameter,ictus,in a dilemma,in suspense,informal,intermittence,intermittency,ionic,itinerary,jack,jacklight,jade,jibe,jibe all standing,jingle,jog trot,judicial circuit,jurisdiction,keep in suspense,keep time,kinky,knock,knock out,knock up,knocked out,knout,lace,lam,lambaste,lap,largo,larrup,lash,lather,lathered,lay on,leave,leech,level of stress,levigate,lick,licked,lilt,line,loop,luff,luff up,make,manhandle,mantle,march,march tempo,masculine caesura,mash,master,maul,maverick,maze,measure,meter,metrical accent,metrical foot,metrical group,metrical unit,metrics,metron,mill,miss stays,mix,mixed times,molossus,mora,mould,movement,muddle,muddled,mulct,muss up,mystified,mystify,news item,nonplus,nonplussed,not cricket,not done,not kosher,number,numbers,offbeat,on tenterhooks,on the skids,oofless,orb,orbit,original,oscillation,outclass,outdo,outdone,outfight,outgeneral,outmaneuver,outpoint,outrun,outsail,outshine,outstrip,overborne,overcome,overfatigue,overmastered,overmatched,overpowered,overreach,overridden,overstrain,overthrown,overtire,overturned,overweary,overwhelm,overwhelmed,pack the deal,paddle,paeon,pale,palpitate,palpitation,panicked,pant,paradiddle,parasite,paste,path,patter,pelt,pendulum motion,pentameter,pentapody,period,periodicalness,periodicity,perplex,perplexed,perturb,perturbate,pestle,piece,pigeon,pinch,pistol-whip,piston motion,pitapat,pitter-patter,play drum,played out,ply,pommel,poop,poop out,pooped,pooped out,pound,pounding,powder,practice fraud upon,precinct,presto,prevail,prevail over,primary stress,primrose path,proceleusmatic,prosodics,prosody,prostrate,province,prowl after,pulsate,pulsation,pulse,pulverize,pummel,put,put about,put back,put to rout,puzzle,puzzled,pyrrhic,quantity,quiver,rag,ragtime,rake,ransack,rap,rat-a-tat,rat-tat,rat-tat-tat,rataplan,rattattoo,rawhide,ready to drop,realm,reappearance,recurrence,red tape,red-tapeism,reduce to powder,regular wave motion,reoccurrence,return,revolution,rhyme,rhythm,rhythmic pattern,rhythmical stress,ride to hounds,rile,ripple,rise above,road,roil,roll,rook,rotation,rough up,roughen,round,round a point,round trip,rounds,rout,route,routed,routine,rub-a-dub,rubato,ruff,ruffle,ruin,ruined,rummage,rumple,run,run away,run off,rut,sail fine,scam,scattered,scoop,scourge,screw,scrunch,scum,sea lane,search,seasonality,secondary stress,sell gold bricks,series,settle,settled,sextuple time,shake,shake up,shape,shard,shave,sheer,shellac,shift,shikar,shoot,shortchange,shortcut,shred,silenced,simple time,skin,skin alive,skinned,skinned alive,slat,sledgehammer,slew,smash,smear,smell-feast,smite,smother,sound a tattoo,spank,spatter,spell,spent,sphere,splatter,splutter,spondee,sponge,sponger,sport,spot news,sprung rhythm,spume,sputter,squash,squirrel cage,staccato,stack the cards,stalk,stampeded,start,stick,still-hunt,sting,stir,stir up,stone-broke,stony,story,strap,strapped,stress,stress accent,stress pattern,strike,stripe,stroke,stuck,stump,stumped,subdiscipline,subdue,sud,suds,surmount,surpass,swerve,swindle,swing,swing round,swing the stern,swinge,swirl,switch,syncopation,syncope,systole,syzygy,tack,take a dive,tan,tap,tat-tat,tattoo,tempo,tempo rubato,tertiary stress,tetrameter,tetrapody,tetraseme,thesis,thimblerig,thrash,three-quarter time,thresh,throb,throbbing,throw,throw a fight,throw about,thrown,thrum,thump,thumping,thwart,tick,ticktock,time,time pattern,timing,tire,tire out,tire to death,tired out,tired to death,tom-tom,top,touch the wind,tour,track,trade route,trail,traject,trajectory,trajet,trample,transcend,tread,treadmill,tribrach,trim,trimeter,trimmed,triple time,triplet,tripody,triseme,triturate,triumph,triumph over,trochee,trouble,trounce,trounced,truncheon,tucker,tuckered out,turn,turn back,two-four time,unconventional,undo,undone,undulation,unfashionable,unorthodox,upbeat,upset,use up,used up,vanquish,veer,victimize,waggle,walk,wallop,waltz time,washed-up,wave,waver,way out,weak stress,weaken,wear,wear down,wear on,wear out,wear ship,weary,weary unto death,well-worn groove,whack,whacked,whale,wheel,whelmed,whip,whip up,whipped,whisk,whop,wilt,win,wind,wiped out,work up,worn out,worn-out,worst,worsted,yaw 2024 - beaten path,alameda,beat,beaten track,berm,bicycle path,boardwalk,bridle path,broken record,bureaucracy,bureaucratism,catwalk,chinoiserie,daily grind,esplanade,fastwalk,foot pavement,footpath,footway,garden path,grind,groove,hiking trail,humdrum,invariability,irk,irksomeness,jog trot,mall,monotony,parade,path,pathway,prado,promenade,public walk,red tape,red-tapeism,round,routine,run,runway,rut,sameliness,sameness,sidewalk,squirrel cage,tedium,the beaten track,the daily round,the round,the squirrel cage,the treadmill,the weary round,towing path,towpath,track,trail,treadmill,trottoir,undeviation,unvariation,walk,walkway,wearisome sameness,well-worn groove 2025 - beaten,all in,all up with,automatic,beat,beat up,bested,blebby,blistered,blistering,blistery,bone-weary,bubbling,bubbly,burbling,burbly,bushed,carbonated,chiffon,confounded,constant,dead,dead-and-alive,dead-tired,deadbeat,defeated,discomfited,dog-tired,dog-weary,done,done for,done in,done up,down,drained,ebullient,effervescent,exhausted,fagged out,fallen,fixed,fizzy,floored,frequent,gone,habitual,hackneyed,hors de combat,knocked out,lambasted,lathered,licked,on the skids,outdone,overborne,overcome,overmastered,overmatched,overpowered,overridden,overthrown,overturned,overwhelmed,panicked,persistent,played out,pooped,pooped out,prostrate,puffed,put to rout,ready to drop,recurrent,recurring,regular,repetitive,routed,routine,ruined,scattered,settled,silenced,skinned,skinned alive,souffle,souffleed,sparkling,spent,spumescent,stampeded,stereotyped,tired out,tired to death,trimmed,trite,trounced,tuckered out,undone,upset,used up,vesicant,vesicated,vesicatory,vesicular,washed-up,weary unto death,well-trodden,well-worn,whacked,whelmed,whipped,wiped out,worn-out,worsted 2026 - beater,Nimrod,agitator,big game hunter,blender,cement mixer,churn,courser,crucible,eggbeater,emulsifier,hunter,huntress,huntsman,jacker,jacklighter,jiggler,melting pot,mixer,paddle,shaker,shikari,sportsman,sportswoman,stalker,trapper,vibrator,whisk,white hunter 2027 - beatification,aggrandizement,apotheosis,ascent,assumption,beatitude,bewitchment,blessedness,blessing,bliss,blissfulness,canonization,cheer,cheerfulness,cloud nine,consecration,dedication,deification,delectation,delight,devotion,dignification,ecstasy,ecstatics,elation,elevation,enchantment,ennoblement,enshrinement,enthronement,erection,escalation,exaltation,exhilaration,exuberance,felicity,gaiety,gladness,glee,glorification,grace,hallowing,happiness,heaven,height,high spirits,immortalization,intoxication,joy,joyance,joyfulness,justification,justification by works,lifting,magnification,overhappiness,overjoyfulness,paradise,purification,raising,rapture,ravishment,rearing,sainthood,sainting,sanctification,setting apart,seventh heaven,state of grace,sunshine,sursum corda,transport,unalloyed happiness,upbuoying,upcast,upheaval,uplift,uplifting,upping,uprearing,upthrow,upthrust 2028 - beatified,Elysian,Olympian,aggrandized,angelic,apotheosized,archangelic,awesome,beaming,beatific,big,blessed,blissful,canonized,capering,celestial,cheerful,cherubic,chirping,consecrated,dancing,dedicated,deified,devoted,elevated,eminent,ennobled,enshrined,enthroned,ethereal,exalted,excellent,extramundane,extraterrestrial,flushed with joy,from on high,gay,glad,glorified,glowing,grand,great,hallowed,happy,heavenly,held in awe,high,high and mighty,immortal,immortalized,in glory,joyful,joyous,laughing,leaping,lofty,magnified,martyred,mighty,otherworldly,paradisaic,paradisal,paradisiac,paradisic,purring,radiant,redeemed,sainted,saintly,sanctified,saved,seraphic,set apart,shrined,singing,smiling,smirking,sparkling,starry-eyed,sublime,supereminent,supernal,thrice happy,throned,transcendental,transmundane,unearthly,unworldly 2029 - beatify,aggrandize,apotheose,apotheosize,bless,canonize,cheer,cleanse,consecrate,crown,dedicate,deify,devote,elevate,ennoble,enshrine,enthrone,exalt,gladden,glamorize,glorify,hallow,happify,immortalize,lionize,magnify,make happy,make legendary,purify,raise,saint,sanctify,set apart,set up,throne,uplift 2030 - beating,Waterloo,abrasion,alternate,arrhythmia,atomization,attrition,bang,barrage,bash,bastinado,basting,bat,battery,beat,belt,belting,biff,blow,bonk,brecciation,buffeting,cadenced,cadent,caning,chop,circling,clicking,clip,clout,clubbing,clump,collapse,comminution,conquering,conquest,corporal punishment,cowhiding,crack,crash,crumbling,crushing,cudgeling,cut,cyclic,dance,dash,deathblow,debacle,defeasance,defeat,destruction,detrition,dig,dint,disintegration,downfall,drub,drubbing,drum,drum music,drumbeat,drumfire,drumming,epochal,even,every other,failure,fall,flagellation,flailing,flap,flicker,flit,flitter,flogging,flop,flutter,fluttering,fragmentation,fusillade,fustigation,granulation,granulization,grating,grinding,heartbeat,heartthrob,hiding,hit,horsewhipping,in numbers,in rhythm,intermittent,isochronal,jab,knock,lacing,lambasting,lashing,lathering,levigation,lick,licking,mashing,mastery,measured,metric,metronomic,oscillatory,overcoming,overthrow,overturn,palpitant,palpitation,paradiddle,patter,pelt,periodical,pistol-whipping,pitapat,pitter-patter,plunk,poke,pound,pounding,powdering,pulsatile,pulsating,pulsation,pulsative,pulsatory,pulse,pulsing,punch,quietus,quiver,rap,rat-a-tat,rat-tat,rat-tat-tat,rataplan,rattattoo,rawhiding,reciprocal,recurrent,recurring,rhythm,rhythmic,roll,rotary,rout,rub-a-dub,ruff,ruffle,ruin,scourging,seasonal,serial,shake,shellacking,shredding,slam,slog,slug,smack,smash,smashing,sock,spanking,spatter,spattering,splutter,spluttering,sputter,sputtering,staccato,steady,strapping,stripes,stroke,subdual,subduing,subjugation,swat,swing,swingeing,swipe,switching,tat-tat,tattoo,tempo,thrashing,throb,throbbing,thrum,thrumming,thump,thumping,thwack,ticking,tom-tom,trimming,trituration,trouncing,truncheoning,undoing,undulant,undulatory,vanquishment,wavelike,waver,whack,wheeling,whipping,whop,yerk 2031 - beatitude,beatification,bewitchment,blessedness,blessing,bliss,blissfulness,canonization,cheer,cheerfulness,cloud nine,consecration,dedication,delectation,delight,devotion,ecstasy,ecstatics,elation,enchantment,enshrinement,exaltation,exhilaration,exuberance,felicity,gaiety,gladness,glee,glorification,grace,hallowing,happiness,heaven,high spirits,intoxication,joy,joyance,joyfulness,justification,justification by works,overhappiness,overjoyfulness,paradise,purification,rapture,ravishment,sainthood,sainting,sanctification,setting apart,seventh heaven,state of grace,sunshine,transport,unalloyed happiness 2032 - beatnik,Bohemian,deviant,dissenter,dropout,flower child,freak,heretic,hippie,maverick,misfit,nonconformist,nonjuror,original,sectarian,sectary,swinger,ugly duckling,unconformist,yippie 2033 - Beau Brummel,arbiter of fashion,beau,blade,blood,boulevardier,buck,clotheshorse,clubman,clubwoman,coxcomb,dandy,deb,debutante,dude,exquisite,fashion plate,fashionable,fine gentleman,fop,fribble,gallant,jack-a-dandy,jackanapes,lady-killer,lounge lizard,macaroni,man-about-town,masher,mondain,mondaine,puppy,socialite,spark,sport,subdeb,subdebutante,swell,swinger,taste-maker,tone-setter,trend-setter 2034 - beau,Beau Brummel,Casanova,Don Juan,Lothario,Romeo,amoroso,beloved,blade,blood,boulevardier,boyfriend,caballero,cavalier,cavaliere servente,clotheshorse,coxcomb,dandy,dude,esquire,exquisite,fashion plate,fellow,fine gentleman,flame,fop,fribble,gallant,gentleman friend,gigolo,inamorato,jack-a-dandy,jackanapes,lady-killer,love-maker,lover,macaroni,man,man-about-town,masher,necker,old man,petter,philanderer,puppy,seducer,sheik,spark,sport,squire,steady,sugar daddy,swain,sweetheart,swell,truelove,young man 2035 - beaucoup,a deal,a great deal,a lot,abundantly,as all creation,as all get-out,considerable,considerably,ever so,ever so much,galore,greatly,highly,in great measure,largely,much,muchly,never so,no end,no end of,not a little,plenty,pretty much,so,so very much,to the skies,very much 2036 - beaut,Miss America,ace,bathing beauty,beau ideal,beauty,beauty contest winner,beauty queen,belle,bunny,charmer,corker,cover girl,crackerjack,daisy,dandy,darb,dazzler,dilly,dream,enchantress,eyeful,great beauty,honey,humdinger,killer-diller,knockout,lady fair,lollapaloosa,looker,lovely,lulu,model,paragon,peach,pinup,pinup girl,pip,pippin,pussycat,raving beauty,reigning beauty,sex kitten,slick chick,stunner,sweetheart,the nuts,whiz 2037 - beauteous,aesthetic,aesthetically appealing,attractive,beautiful,bonny,comely,elegant,endowed with beauty,exquisite,eye-filling,fair,fine,flowerlike,good-looking,graceful,gracile,handsome,heavy,lovely,pretty,pulchritudinous 2038 - beautified,advanced,ameliorated,bettered,civilized,converted,cultivated,cultured,developed,educated,embellished,enhanced,enriched,improved,perfected,polished,refined,reformed,transfigured,transformed 2039 - beautiful people,Vanity Fair,beau monde,best people,cafe society,carriage trade,cream of society,drawing room,elite,fashionable society,good society,haut monde,high life,high society,in-crowd,jet set,jeunesse doree,monde,people of fashion,polite society,right people,salon,smart,smart set,social register,societe,society,the Four Hundred,ton,upper crust,uppercut,world of fashion 2040 - beautiful,admirable,aesthetic,aesthetically appealing,alluring,appealing,art-conscious,artistic,arty,attractive,beauteous,bonny,charming,choice,comely,delightful,elegant,endowed with beauty,excellent,exquisite,eye-filling,fair,fine,first-rate,flowerlike,glorious,good-looking,gorgeous,graceful,gracile,handsome,hear,heavy,incomparable,lovely,magnificent,of consummate art,ornamental,painterly,personable,pleasant,pleasing,pretty,proper,pulchritudinous,radiant,resplendent,smashing,spectacular,splendid,stunning,sublime,superb,superior,tasteful,well done,well-favored,wonderful 2041 - beautify,adorn,array,become one,bedeck,bedizen,blazon,color,cultivate,dandify,deck,deck out,decorate,develop,dizen,doll up,dress,dress up,elaborate,embellish,emblazon,embroider,enrich,evolve,fig out,finish,fix up,furbish,garnish,glamorize,grace,gussy up,mature,ornament,paint,perfect,polish,prank,prank up,preen,prettify,pretty up,primp,primp up,prink,prink up,redecorate,redo,refine,refurbish,ripen,season,set off,set out,smarten,smarten up,spruce up,titivate,trick out,trick up,trim 2042 - beauty parlor,agency,atelier,barbershop,beauty salon,beauty shop,bench,butcher shop,company,concern,corporation,desk,establishment,facility,firm,house,installation,institution,loft,organization,parlor,salon de beaute,shop,studio,sweatshop,work site,work space,workbench,workhouse,working space,workplace,workroom,workshop,worktable 2043 - beauty queen,Miss America,bathing beauty,beau ideal,beaut,beauty,beauty contest winner,belle,bunny,charmer,cover girl,dazzler,dream,enchantress,great beauty,knockout,lady fair,looker,model,paragon,peach,pinup,pinup girl,pussycat,raving beauty,reigning beauty,sex kitten,slick chick,stunner 2044 - beauty,Miss America,advantage,asset,attraction,attractiveness,balance,bathing beauty,beau ideal,beaut,beauty contest winner,beauty queen,belle,bunny,charmer,concinnity,cover girl,dazzler,dream,dreamboat,enchantress,equilibrium,euphony,eye-opener,eyeful,good-looker,great beauty,handsomeness,harmony,knockout,lady fair,looker,loveliness,lovely,measure,measuredness,model,order,orderedness,paragon,peach,pinup,pinup girl,proportion,pulchritude,pussycat,raving beauty,reigning beauty,rhythm,sex kitten,slick chick,strength,stunner,sweetness,symmetry,toast 2045 - beaver,Vandyke,activist,ball of fire,beard,big-time operator,bristles,bustler,busy bee,doer,down,eager beaver,enthusiast,go-getter,goatee,human dynamo,hustler,imperial,live wire,man of action,man of deeds,militant,new broom,operator,peach fuzz,political activist,powerhouse,side whiskers,stubble,take-charge guy,tuft,wheeler-dealer,whiskers,winner 2046 - bebop,acid rock,avant-garde jazz,ballroom music,boogie-woogie,bop,country rock,dance music,dances,folk rock,hard rock,hot jazz,jazz,jive,mainstream jazz,musical suite,rag,ragtime,rhythm-and-blues,rock,rock-and-roll,suite,suite of dances,swing,syncopated music,syncopation,the new music 2047 - because,as,as long as,as things go,being,being as how,cause,considering,for,forasmuch as,in that,inasmuch as,insofar as,insomuch as,now,parce que,seeing,seeing as how,seeing that,since,whereas 2048 - becharm,allure,attract,beguile,bewitch,captivate,carry away,cast a spell,charm,delectate,delight,draw on,enamor,enchant,endear,enrapture,enravish,enthrall,entrance,fascinate,freak out,glamour,hold in thrall,hypnotize,imparadise,infatuate,inflame with love,intrigue,knock dead,knock out,mesmerize,ravish,seduce,send,slay,spell,spellbind,tantalize,tempt,thrill,tickle,tickle pink,titillate,transport,vamp,witch,wow 2049 - becharmed,bewitched,captivated,charm-bound,charmed,enamored,enchanted,enraptured,fascinated,heartsmitten,hypnotized,in a trance,infatuate,infatuated,mesmerized,smitten,spell-caught,spellbound,under a spell 2050 - beck,adolescent stream,arroyo,bearing,beck and call,beckon,bidding,body language,bourn,braided stream,branch,brook,brooklet,burn,call,calling,calling forth,carriage,channel,charade,chironomy,convocation,creek,crick,dactylology,deaf-and-dumb alphabet,dumb show,evocation,flowing stream,fluviation,fresh,freshet,gesticulation,gesture,gesture language,gill,hand signal,indent,invocation,kill,kinesics,lazy stream,meandering stream,midchannel,midstream,millstream,motion,movement,moving road,navigable river,nod,pantomime,poise,pose,posture,preconization,race,racing stream,requisition,river,rivulet,run,rundle,runlet,runnel,shrug,sign language,sike,spill stream,stance,stream,stream action,streamlet,subterranean river,summons,wadi,watercourse,waterway 2051 - beckon,appeal,attract,be attractive,bid,call,engage,fetch,gesticulate,gesture,interest,invite,mime,motion,motion to,pantomime,saw the air,shrug,shrug the shoulders,signal,summon,tantalize,tease,tempt,tickle,titillate,wave the arms,whet the appetite 2052 - becloud,addle,addle the wits,ball up,bedarken,bedazzle,bedim,befog,befuddle,begloom,bemist,bewilder,black,black out,blacken,blanket,blind,block the light,blot out,blur,bother,brown,bug,camouflage,cast a shadow,clabber up,cloak,cloud,cloud over,cloud up,conceal,confuse,cover,cover up,curtain,darken,darken over,daze,dazzle,dim,dim out,discombobulate,discomfit,discompose,disconcert,disguise,disorganize,disorient,dissemble,distract attention from,disturb,eclipse,embarrass,encloud,encompass with shadow,enmist,ensconce,enshroud,entangle,envelop,flummox,flurry,fluster,flutter,fog,fuddle,fuss,gloom,gloss over,haze,hide,keep under cover,mask,maze,mist,mix up,moider,muddle,muddy,murk,nubilate,obfuscate,obnubilate,obscure,obumbrate,occult,occultate,opaque,overcast,overcloud,overshadow,oversmoke,perplex,perturb,pother,put out,puzzle,raise hell,rattle,ruffle,screen,shade,shadow,shroud,slur over,smog,smoke,somber,throw into confusion,unsettle,upset,varnish,veil,whitewash 2053 - beclouded,abstruse,addlebrained,addled,addleheaded,addlepated,befuddled,blind,buried,close,clouded,cloudy,concealed,covered,covert,eclipsed,fogged,foggy,fuddlebrained,fuddled,hazy,hid,hidden,in a cloud,in a fog,in a muddle,in eclipse,in purdah,in the wings,incommunicado,latent,misted,misty,muddled,muddleheaded,muzzy,mysterious,obfuscated,obscure,obscured,occult,puzzleheaded,recondite,secluded,secluse,secret,sequestered,under an eclipse,under cover,under house arrest,under wraps,underground,unknown,wrapped in clouds 2054 - become of,attend,come about,come of,come out,develop,end,ensue,eventuate,fall out,fare,follow,issue,pan out,prove,prove to be,result,terminate,turn out,unfold,work out 2055 - become,adorn,agree with,alter into,arise,assimilate to,be born,be bound,be changed,be converted into,be obligated,be obliged,become of,befit,behoove,beseem,break out,bring to,burst forth,change,change into,change over,come,come forth,come of,come out,come over,come round to,come to be,convert,crop up,do over,enhance,erupt,evolve into,fall into,fit,get,get to be,go,go with,grace,grow,have origin,irrupt,issue,issue forth,lapse into,make,make over,melt into,mount,naturalize,open into,originate,owe it to,pass into,reconvert,reduce to,render,resolve into,reverse,ripen into,rise,run,run into,settle into,shift,shift into,soar,spring up,suit,switch,switch over,take birth,take rise,transform,turn,turn back,turn into,turn to,wax 2056 - becoming,Junoesque,a propos,ad rem,adapted,advantageous,advisable,agreeable,amply endowed,applicable,apposite,appropriate,apropos,apt,attractive,beautifying,befitting,bonny,braw,built,built for comfort,buxom,callipygian,callipygous,chic,civil,comely,comme il faut,condign,conforming,congruous,convenient,correct,curvaceous,curvy,decent,decorous,delicate,desirable,dovetailing,elegant,enhancing,expedient,fair,fashionable,favorable,feasible,felicitous,fetching,fit,fitted,fitten,fitting,flattering,fructuous,geared,genteel,goddess-like,good,good-looking,goodly,happy,just,just right,likely,lovely to behold,meet,meshing,modest,nice,on the button,opportune,pat,personable,pleasing,pneumatic,politic,presentable,profitable,proper,qualified,recommendable,relevant,right,rightful,seasonable,seemly,shapely,sightly,slender,sortable,stacked,statuesque,stylish,suitable,suited,suiting,tailored,tasteful,timely,to be desired,to the point,to the purpose,urbane,useful,well-built,well-favored,well-formed,well-made,well-proportioned,well-shaped,well-stacked,well-timed,wise,worthwhile 2057 - bed of roses,Easy Street,affluence,clover,comfort,contentment,ease,easy circumstances,felicity,fleshpots,gracious life,gracious living,happiness,lap of luxury,life of ease,loaves and fishes,luxury,prosperity,prosperousness,security,solid comfort,success,the affluent life,the good life,thriving condition,upward mobility,velvet,weal,wealth,welfare,well-being 2058 - bed,Colonial bed,Hollywood bed,Japanese garden,a world-without-end bargain,accommodation,accommodations,alliance,alpine garden,aqueduct,arboretum,arroyo,band,base,basement,basin,basis,bassinet,bearing wall,bed and board,bed down,bed in,bed on,bed-davenport,bedding,bedrock,bedstead,belly,belt,berth,billet,board,board and room,bog garden,bond of matrimony,border,botanical garden,bottom,bottom on,bottom side,break,breech,bridebed,bridle,broadcast,brush,build on,bunk,bunk bed,buttocks,camp bed,canal,channel,cohabitation,confirm,conjugal bond,conjugal knot,cot,couch,couche,coulee,course,coverture,cradle,creek bed,crib,culvert,curl up,curry,currycomb,cylinder press,day bed,deck,deep-dye,define,dibble,disseminate,domicile,domiciliate,donga,door bed,doss,double bed,double bunk,downside,drench,drill,dry bed,dry garden,duplex bed,embed,engraft,engrave,entrench,establish,etch,facilities,feather bed,feed,fix,flatbed cylinder press,floor,flooring,flop,flower bed,flower garden,flume,fodder,fold-away bed,fond,footing,forest,found,found on,foundation,four-poster,fundament,fundamental,gallery,garden,garden spot,gentle,go beddy-bye,go night-night,go to bed,go to rest,grape ranch,grapery,ground,ground on,grounds,groundwork,gulch,gully,gullyhole,gurney,hammock,handle,harbor,hardpan,harness,headrace,herbarium,hitch,holy matrimony,holy wedlock,hortus siccus,hospital bed,house,husbandhood,ill-assorted marriage,impact,implant,impress,imprint,infix,ingrain,inlay,inscribe,inseminate,inset,intermarriage,interracial marriage,irrigation ditch,jam,jardin,keep,king-size bed,kip,kitchen garden,layer,ledge,level,lie down,litter,lodge,lodgings,loll,lounge,lower berth,lower side,lowest layer,lowest level,makeready,manage,market garden,marriage,marriage bed,marriage sacrament,match,matrimonial union,matrimony,measures,mesalliance,milk,misalliance,miscegenation,mixed marriage,nestle,nether side,nethermost level,nullah,nuptial bond,ocean bottom,ornamental garden,overlayer,overstory,pack,pallet,panel bed,paradise,pavement,pile,pinetum,pipe berth,plant,platen,platen press,poster bed,pot,press,presswork,principle,print,printing machine,printing press,put in,put to bed,put up,quarter,quarter berth,queen-size bed,race,radical,recline,reforest,repose,reset,rest,retimber,retire,riprap,river bed,riverway,rock bottom,rock garden,roll in,roll-away bed,roof garden,room,root,rotary press,rotogravure press,rub down,rudiment,runnel,sacrament of matrimony,saddle,scatter seed,seam,seat,seed,seed down,seminate,set,set in,set on,settle,settle to rest,shelf,shelter,shrubbery,sill,single bed,sluice,snug down,sofa,sofa-bed,solid ground,solid rock,sow,sow broadcast,spillbox,spillway,spousehood,sprawl,stable,stage,stamp,step,stereobate,stereotype,story,stratum,stream bed,streamway,stretcher,stylobate,subsistence,substratum,substruction,substructure,sunken garden,superstratum,swash,swash channel,tailrace,take it easy,take life easy,tame,tea garden,tend,terra firma,tester bed,the hay,the sack,thickness,three-quarter bed,tier,topsoil,train,transplant,truck garden,truckle bed,trundle bed,tuck in,turn in,underbelly,underbuilding,undercarriage,undergird,undergirding,underlayer,underlie,underneath,underpinning,underside,understory,understratum,understruction,understructure,union,vegetable garden,victory garden,vinery,vineyard,wadi,water,water carrier,water channel,water furrow,water gap,water gate,watercourse,waterway,waterworks,web,web press,wedded bliss,wedded state,weddedness,wedding knot,wedge,wedlock,wifehood,yoke,zone 2059 - bedaub,apply paint,attaint,bedizen,begild,besmear,besmirch,besmoke,besmutch,besoil,bestain,black,blacken,blur,brand,brush on paint,butter,calcimine,coat,color,complexion,cover,dab,darken,daub,deep-dye,dip,dirty,discolor,distemper,double-dye,dye,emblazon,enamel,engild,face,fast-dye,fresco,gild,glaze,gloss,grain,hue,illuminate,imbue,ingrain,japan,lacquer,lay on,lay on color,mark,paint,parget,pigment,plaster,prime,scorch,sear,shade,shadow,shellac,singe,slap on,slather,slop on paint,slubber,slur,smarm,smear,smear on,smirch,smoke,smouch,smudge,smut,smutch,soil,spot,spread on,spread with,stain,stigmatize,stipple,sully,taint,tar,tarnish,tinct,tincture,tinge,tint,tone,undercoat,varnish,wash,whitewash 2060 - bedazzle,addle,addle the wits,amaze,astonish,astound,awe,awestrike,ball up,bandage,be bright,beacon,beam,becloud,bedaze,befuddle,benight,bewilder,blaze,blind,blind the eyes,blindfold,boggle,bother,bowl down,bowl over,bug,burn,cloud,confound,confuse,darken,daze,dazzle,deprive of sight,diffuse light,dim,discombobulate,discomfit,discompose,disconcert,disorganize,disorient,disturb,dumbfound,dumbfounder,eclipse,embarrass,entangle,excecate,flabbergast,flame,flare,flash,flummox,flurry,fluster,flutter,fog,fuddle,fulgurate,fuss,give light,glance,glare,gleam,glint,glow,gouge,hoodwink,incandesce,luster,make blind,maze,mist,mix up,moider,muddle,obscure,overwhelm,paralyze,perplex,perturb,petrify,pother,put out,radiate,raise hell,rattle,ruffle,send out rays,shine,shine brightly,shoot,shoot out rays,snow-blind,stagger,startle,strike blind,strike dead,strike dumb,strike with wonder,stun,stupefy,surprise,throw into confusion,unsettle,upset 2061 - bedazzled,blindfold,blindfolded,darkened,dazed,dazzled,dopey,excecate,groggy,hoodwinked,in a daze,knocked silly,mazed,obscured,punch-drunk,punchy,silly,slaphappy,snow-blind,snow-blinded,woozy 2062 - bedclothes,afghan,bed linen,bedcover,bedding,bedsheet,bedspread,blanket,buffalo robe,case,clothes,comfort,comforter,contour sheet,counterpane,cover,coverlet,coverlid,eiderdown,fitted sheet,lap robe,linen,patchwork quilt,pillow slip,pillowcase,quilt,robe,rug,sheet,sheeting,slip,spread 2063 - bedding,afghan,air mattress,band,base,basement,basis,bearing wall,bed,bed linen,bedclothes,bedcover,bedrock,bedsheet,bedspread,belt,blanket,bolster,buffalo robe,case,clothes,comfort,comforter,contour sheet,couche,counterpane,course,cover,coverlet,coverlid,cushion,deck,eiderdown,fitted sheet,floor,flooring,fond,footing,foundation,fundament,fundamental,gallery,ground,grounds,groundwork,hardpan,innerspring mattress,lap robe,layer,ledge,level,linen,litter,mat,mattress,measures,overlayer,overstory,pad,pallet,patchwork quilt,pavement,pillow,pillow slip,pillowcase,principle,quilt,radical,riprap,robe,rock bottom,rudiment,rug,seam,seat,sheet,sheeting,shelf,sill,sleeping bag,slip,solid ground,solid rock,spread,springs,stage,step,stereobate,story,stratum,stylobate,substratum,substruction,substructure,superstratum,terra firma,thickness,tier,topsoil,underbed,underbedding,underbuilding,undercarriage,undergirding,underlayer,underpinning,understory,understratum,understruction,understructure,zone 2064 - bedeck,adorn,apparel,array,attire,beautify,bedaub,bedizen,bedrape,blazon,bundle up,clothe,color,dandify,deck,deck out,decorate,dight,dizen,doll up,drape,dress,dress up,dud,embellish,emblazon,embroider,enclothe,endue,enrich,enrobe,enshroud,envelop,enwrap,fig out,fix up,furbish,garb,garment,garnish,grace,gussy up,habilitate,invest,lap,muffle up,ornament,paint,prank,prank up,preen,prettify,primp,primp up,prink,prink up,rag out,raiment,redecorate,redo,refurbish,robe,set off,set out,sheathe,shroud,smarten,smarten up,spruce up,swaddle,swathe,tire,titivate,trick out,trick up,trim,wrap,wrap up 2065 - bedecked,adorned,appareled,arrayed,attired,beaded,bedizened,befrilled,bejeweled,beribboned,bespangled,breeched,capped,chausse,clad,cloaked,clothed,coifed,costumed,decked,decked out,decorated,dight,disguised,dressed,embellished,endued,feathered,festooned,figured,flowered,garbed,garmented,garnished,gowned,habilimented,habited,hooded,invested,jeweled,liveried,mantled,ornamented,pantalooned,plumed,raimented,rigged out,robed,shod,shoed,spangled,spangly,studded,tired,togged,tricked out,trimmed,trousered,vested,vestmented,wreathed 2066 - bedevil,aggravate,annoy,badger,bait,be at,beset,bewitch,bother,bristle,brown off,bug,bullyrag,burn up,chivy,demonize,devil,devilize,diabolize,discompose,distemper,disturb,dog,exasperate,exercise,fash,get,gripe,harass,harry,heckle,hector,hex,hoodoo,hound,irk,jinx,miff,molest,nag,needle,nettle,nudzh,obsess,overlook,peeve,persecute,pester,pick on,pique,plague,pluck the beard,possess,pother,provoke,ride,rile,roil,ruffle,tantalize,tease,torment,try the patience,tweak the nose,vex,voodoo,witch,worry 2067 - bedeviled,badgered,baited,beset,bugged,bullyragged,chivied,demonized,devil-ridden,deviled,dogged,harassed,harried,heckled,hectored,hounded,needled,nipped at,persecuted,pestered,picked on,pixilated,plagued,possessed,ragged,teased,tormented,worried 2068 - bedfellow,ace,adjunct,ally,amigo,associate,bedmate,bosom buddy,brother,brother-in-arms,buddy,bunkie,bunkmate,butty,camarade,chamberfellow,chum,classmate,coadjutor,cohort,colleague,comate,companion,company,compatriot,compeer,comrade,confederate,confrere,consociate,consort,copartner,crony,fellow,fellow member,fellow student,girl friend,gossip,mate,messmate,old crony,pal,pard,pardner,partner,playfellow,playmate,roommate,schoolfellow,schoolmate,shipmate,side partner,sidekick,teammate,workfellow,yokefellow,yokemate 2069 - bedizen,adorn,apply paint,array,beautify,bedaub,bedeck,begild,besmear,blazon,brush on paint,calcimine,coat,color,complexion,cover,dab,dandify,daub,deck,deck out,decorate,deep-dye,dip,distemper,dizen,doll up,double-dye,dress,dress up,dye,embellish,emblazon,embroider,enamel,engild,enrich,face,fancy up,fast-dye,fig out,fix up,fresco,furbish,garnish,get up,gild,glaze,gloss,grace,grain,gussy up,hue,illuminate,imbue,ingrain,japan,lacquer,lay on color,ornament,overdress,paint,parget,pigment,prank,prank up,preen,prettify,pretty up,prime,primp,primp up,prink,prink up,rag out,redecorate,redo,refurbish,set off,set out,shade,shadow,shellac,slick up,slop on paint,smarten,smarten up,smear,spruce up,stain,stipple,tinct,tincture,tinge,tint,titivate,tone,trick out,trick up,trim,undercoat,varnish,wash,whitewash 2070 - bedizened,Gongoresque,Johnsonian,adorned,affected,beaded,bedecked,befrilled,bejeweled,beribboned,bespangled,big-sounding,convoluted,decked out,declamatory,decorated,elevated,embellished,euphuistic,feathered,festooned,figured,flamboyant,flaming,flashy,flaunting,flowered,fulsome,garish,garnished,gaudy,grandiloquent,grandiose,grandisonant,high-flowing,high-flown,high-flying,high-sounding,highfalutin,inkhorn,jeweled,labyrinthine,lexiphanic,lofty,lurid,magniloquent,meretricious,ornamented,orotund,ostentatious,overdone,overelaborate,overinvolved,overwrought,pedantic,plumed,pompous,pretentious,rhetorical,sensational,sensationalistic,sententious,showy,sonorous,spangled,spangly,stilted,studded,tall,tortuous,tricked out,trimmed,wreathed 2071 - bedlam,Babel,Bedlam let loose,asylum,blast,bobbery,brawl,brouhaha,bughouse,cacophony,chaos,charivari,chirm,clamor,clangor,clap,clatter,commotion,confusion,confusion of tongues,din,discord,donnybrook,drunken brawl,dustup,flap,fracas,free-for-all,hell,hell broke loose,howl,hubbub,hue and cry,hullabaloo,insane asylum,jangle,loud noise,lunatic asylum,madhouse,mental home,mental hospital,mental institution,noise,noise and shouting,nuthouse,outcry,padded cell,pandemonium,psychiatric ward,psychopathic hospital,racket,rattle,rhubarb,roar,row,ruckus,ruction,rumble,rumpus,shindy,shivaree,static,thunder,thunderclap,tintamarre,tumult,turmoil,uproar 2072 - bedmate,ace,amigo,associate,bedfellow,birthmate,bosom buddy,buddy,bunkie,bunkmate,butty,camarade,chamberfellow,chum,classmate,clubmate,colleague,comate,companion,company,compeer,comrade,confrere,consociate,consort,copartner,copemate,copesmate,couchmate,cradlemate,crony,cupmate,fellow,fellow student,general partner,girl friend,gossip,jailmate,mate,messmate,old crony,pal,pard,pardner,partner,pewmate,playfellow,playmate,roommate,schoolfellow,schoolmate,secret partner,shelfmate,shipmate,shopmate,side partner,sidekick,sidekicker,silent partner,sleeping partner,special partner,tablemate,teammate,tentmate,watchmate,waymate,workfellow,yokefellow,yokemate 2073 - bedpan,can,chamber,chamber pot,chemical closet,chemical toilet,commode,crapper,jerry,john,johnny,jordan,latrine,piss pot,potty,potty-chair,stool,throne,thunder mug,toilet,urinal,water closet 2074 - bedraggled,beat-up,befouled,besmirched,blowzy,careless,chintzy,decrepit,defiled,dilapidated,dirtied,dirty,down-at-heel,drabbled,drabbletailed,draggled,draggletailed,drenched,faded,fouled,frowzy,frumpish,frumpy,grubby,grungy,in rags,informal,loose,lumpen,messy,muddy,mussy,negligent,poky,ragged,raggedy,ruinous,run-down,scraggly,scruffy,seedy,shabby,shoddy,slack,slatternly,slipshod,sloppy,slovenly,sluttish,smirched,smudged,soaked,soiled,sordid,spotted,squalid,stained,sullied,tacky,tainted,tarnished,tattered,threadbare,unkempt,unneat,unsightly,untidy,wet 2075 - bedrape,apparel,array,attire,bedeck,bundle up,clothe,deck,dight,drape,dress,dud,enclothe,endue,enrobe,enshroud,envelop,enwrap,garb,garment,habilitate,invest,lap,muffle up,rag out,raiment,robe,sheathe,shroud,swaddle,swathe,tire,wrap,wrap up 2076 - bedrock,aa,abyssal rock,basalt,base,basement,basic,basis,bearing wall,bed,bedding,belly,block lava,bottom,bottom side,bottommost,brash,breccia,breech,buttocks,central,conglomerate,crag,deepest,downside,druid stone,essential,festooned pahoehoe,floor,flooring,focal,fond,footing,foundation,fundament,fundamental,gneiss,granite,ground,grounds,groundwork,hardpan,igneous rock,indispensable,infrastructure,lava,life-and-death,life-or-death,limestone,living rock,lower side,lower strata,lowest,lowest layer,lowest level,lowest point,magma,mantlerock,material,metamorphic rock,monolith,nadir,nether side,nethermost,nethermost level,of vital importance,pahoehoe,pavement,pillar,pillow lava,porphyry,principle,pudding stone,radical,regolith,riprap,rock,rock bottom,rock-bottom,root,ropy lava,rubble,rubblestone,rudiment,sandstone,sarsen,schist,scoria,scree,seat,sedimentary rock,shelly pahoehoe,sill,solid ground,solid rock,stereobate,stone,stylobate,substantive,substratum,substruction,substructure,talus,terra firma,tower,tufa,tuff,underbelly,underbuilding,undercarriage,undergirding,underlayer,underlying level,undermost,underneath,underpinning,underside,understruction,understructure,vital 2077 - bedspread,afghan,bed linen,bedclothes,bedcover,bedding,bedsheet,blanket,buffalo robe,case,clothes,comfort,comforter,contour sheet,counterpane,cover,coverlet,coverlid,eiderdown,fitted sheet,lap robe,linen,patchwork quilt,pillow slip,pillowcase,quilt,robe,rug,sheet,sheeting,slip,spread 2078 - bedtime,beauty sleep,beddy-bye,blanket drill,bye-bye,curfew,doze,dreamland,drowse,eleventh hour,fitful sleep,hibernation,land of Nod,light sleep,repose,shut-eye,silken repose,sleep,sleepland,sleepwalking,slumber,slumberland,snoozle,somnambulism,somniloquy,somnus,unconsciousness,winter sleep 2079 - bee,boutade,bumblebee,conceit,cornhusking,crotchet,drone,fancy,freak,honeybee,hornet,humor,husking,idea,impulse,megrim,queen,queen bee,quilting bee,raising bee,vagary,wasp,whim,worker,yellow jacket 2080 - beef up,accelerate,aggrandize,aggravate,augment,blow up,boost,brace,brace up,buttress,case harden,complicate,concentrate,condense,confirm,consolidate,deepen,double,enhance,enlarge,exacerbate,exaggerate,expand,extend,fortify,gird,harden,heat up,heighten,hop up,hot up,intensify,invigorate,jazz up,key up,magnify,make complex,multiply,nerve,prop,ramify,redouble,refresh,reinforce,reinvigorate,restrengthen,sharpen,shore up,soup up,steel,step up,stiffen,strengthen,support,sustain,temper,toughen,triple,undergird,whet 2081 - beef,Brahman,Indian buffalo,air a grievance,altercation,amperage,arm,armipotence,aurochs,authority,avoirdupois,beef cattle,beef extract,beef tea,beefiness,beefing,beeves,bellyache,bellyaching,bickering,bison,bitch,bitching,black power,bleat,blow off,boggle,bossy,bouillon,bovine,bovine animal,boycott,brawl,brawn,brawniness,brute force,buffalo,bull,bullock,bully,bully beef,calf,call in question,carabao,cattle,challenge,charge,charisma,charqui,chipped beef,clamor,clout,cogence,cogency,complain,complaining,complaint,compulsion,compunction,cow,crab,critter,croak,cry out against,dairy cattle,dairy cow,deadweight,demonstrate,demonstrate against,demonstration,demur,demurrer,destructive criticism,dint,dispute,dissent,dogie,dried beef,drive,duress,effect,effectiveness,effectuality,elasticity,energy,enter a protest,exception,expostulate,expostulation,falling-out,fatness,faultfinding,flower power,force,force majeure,forcefulness,fret,fret and fume,full blast,full force,fuss,gravity,grievance,grievance committee,gripe,griping,groan,groaning,gross weight,grouch,ground beef,grouse,grousing,growl,grumble,grumbling,grunt,hamburger,heaviness,heft,heftiness,heifer,holler,hornless cow,howl,huskiness,indignation meeting,influence,involuntary muscle,jerky,kick,kicking,kine,leppy,liveweight,lodge a complaint,main force,main strength,mana,march,maverick,might,might and main,mightiness,milch cow,milcher,milk cow,milker,moxie,muley cow,muley head,murmur,murmuring,muscle,muscle power,muscularity,musculature,musk-ox,mutter,neat,neat weight,net,net weight,nonviolent protest,object,objection,overbalance,overweight,ox,oxen,pastrami,peeve,peevishness,pet peeve,petulance,physique,picket,picketing,pizzazz,ponderability,ponderosity,ponderousness,poop,potence,potency,potentiality,poundage,power,power pack,power structure,power struggle,powerfulness,prepotency,press objections,productiveness,productivity,protest,protest demonstration,protestation,puissance,pull,punch,push,qualm,querulousness,raise a howl,rally,register a complaint,remonstrance,remonstrate,remonstration,rhubarb,roast beef,salt beef,scolding,scruple,sinew,sinewiness,sinews,sit in,sit-in,sniping,squabble,squawk,squawking,state a grievance,steam,steer,stirk,stot,strength,strike,strong arm,suet,superiority,superpower,take on,teach in,teach-in,thew,thewiness,thews,tiff,tone,tonnage,underweight,validity,vehemence,vigor,vim,virility,virtue,virulence,vitality,voluntary muscle,wattage,weight,weightiness,whining,wisent,yak,yammer,yap,yapping,yawp,yearling,yell bloody murder,yelp,zebu 2082 - beefcake,Telephoto,Wirephoto,aerial photograph,black-and-white photograph,candid photograph,cheesecake,chronophotograph,color photograph,color print,diapositive,heliochrome,heliograph,montage,mug,mug shot,photo,photobiography,photochronograph,photograph,photomap,photomicrograph,photomontage,photomural,picture,pinup,portrait,shot,slide,snap,snapshot,still,still photograph,telephotograph,transparency 2083 - beefed up,accelerated,aggrandized,ampliate,amplified,augmented,bloated,boosted,broadened,built-up,crescendoed,deepened,elevated,enhanced,enlarged,expanded,extended,heightened,hiked,increased,inflated,intensified,jazzed up,magnified,multiplied,proliferated,raised,reinforced,spread,stiffened,strengthened,swollen,tightened,upped,widened 2084 - beefhead,addlebrain,addlehead,addlepate,blockhead,blubberhead,blunderhead,bonehead,bufflehead,cabbagehead,chowderhead,chucklehead,clodhead,clodpate,clodpoll,dolthead,dullhead,dumbhead,dunderhead,dunderpate,fathead,jolterhead,jughead,knucklehead,lunkhead,meathead,muddlehead,mushhead,muttonhead,noodlehead,numskull,peabrain,pinbrain,pinhead,puddinghead,pumpkin head,puzzlehead,stupidhead,thickhead,thickskull,tottyhead 2085 - beefing,beef,bellyache,bellyaching,bitch,bitching,complaining,complaint,complaintful,crabbing,crabby,cranky,croaking,destructive criticism,disappointed,discontented,disgruntled,displeased,dissatisfied,dissent,envious,faultfinding,grievance,gripe,griping,groan,groaning,grouchy,grouse,grousing,growling,grumbling,holler,howl,kick,kicking,malcontent,malcontented,murmuring,muttering,out of humor,peeve,peevish,peevishness,pet peeve,petulance,petulant,protest,querulant,querulous,querulousness,rebellious,resentful,restive,restless,scolding,sniping,squawk,squawking,sulky,unaccepting,unaccommodating,uneasy,unfulfilled,ungratified,unhappy,unsatisfied,whining,whiny,yapping 2086 - beefsteak,London broil,Salisbury steak,T-bone steak,bifteck,chopped steak,club steak,cubed steak,fillet steak,flank steak,ground beef,ground chuck,ground round,hamburg,hamburg steak,hamburger,porterhouse steak,rib steak,round steak,rump steak,shell steak,sirloin steak,steak,tenderloin steak 2087 - beefy,adipose,big-bellied,bloated,blowzy,bosomy,bouncing,brawny,burly,buxom,chubby,chunky,corpulent,distended,doughty,dumpy,fat,fattish,fleshy,forceful,forcible,forcy,full,full-blooded,full-strength,gross,gutsy,gutty,hale,hard,hard as nails,hardy,hearty,heavyset,hefty,hippy,husky,imposing,iron-hard,lusty,meaty,mighty,nervy,obese,obstinate,overweight,paunchy,plump,podgy,portly,potbellied,potent,powerful,pudgy,puffy,puissant,pursy,red-blooded,robust,robustious,roly-poly,rotund,rugged,square,squat,squatty,stalwart,steely,stocky,stout,strapping,strong,strong as brandy,strong as strong,strong-willed,sturdy,swollen,thick-bodied,thickset,top-heavy,tubby,vigorous,well-fed 2088 - beeline,air line,axis,chord,cut,cutoff,diagonal,diameter,direct line,directrix,edge,great-circle course,normal,perpendicular,radius,radius vector,right line,secant,segment,shortcut,shortest way,side,straight,straight course,straight line,straight stretch,straightaway,streamline,tangent,transversal,vector 2089 - Beelzebub,Abaddon,Aeshma,Angra Mainyu,Apollyon,Azazel,Belial,Eblis,Lilith,Lucifer,Mephisto,Mephistopheles,Old Nick,Old Scratch,Putana,Sammael,Satan,Shaitan,diablo,fiend,serpent 2090 - beep,bay,bell,blare,blast,blat,blow,blow the horn,bray,bugle,clarion,fanfare,flourish of trumpets,honk,peal,pipe,shriek,sound,sound a tattoo,sound taps,squeal,tantara,tantarara,taps,tarantara,tattoo,toot,tootle,trumpet,trumpet blast,trumpet call,tweedle,whistle,wind 2091 - beer garden,alehouse,bar,barrel house,barroom,beer hall,beer parlor,bistro,blind tiger,cabaret,cafe,cocktail lounge,dive,dramshop,drinking saloon,gin mill,groggery,grogshop,honky-tonk,local,nightclub,pothouse,pub,public,public house,rathskeller,rumshop,saloon,saloon bar,speakeasy,taproom,tavern,wine shop 2092 - beerbelly,abdomen,abomasum,bay window,belly,breadbasket,craw,crop,diaphragm,embonpoint,first stomach,gizzard,gullet,gut,honeycomb stomach,kishkes,manyplies,maw,midriff,omasum,paunch,pot,potbelly,potgut,psalterium,pusgut,rennet bag,reticulum,rumen,second stomach,spare tire,stomach,swagbelly,third stomach,tum-tum,tummy,underbelly,ventripotence 2093 - beery,addled,bathetic,bemused,besotted,blind drunk,cloying,crapulent,crapulous,dizzy,drenched,drunk,drunken,far-gone,flustered,fou,full,gay,giddy,glorious,gooey,gushing,happy,in liquor,inebriate,inebriated,inebrious,intoxicated,jolly,maudlin,mawkish,mellow,merry,muddled,mushy,namby-pamby,nappy,nostalgic,nostomanic,oversentimental,oversentimentalized,reeling,romantic,sappy,sentimental,sentimentalized,shikker,sloppy,sodden,soft,sotted,sticky,tear-jerking,teary,tiddly,tipsy,under the influence 2094 - beetle browed,beetle,beetling,black,black-browed,dark,dejected,dour,dumpish,frowning,glowering,glum,grim,grum,impendent,impending,incumbent,jutting,lowering,melancholy,moodish,moody,mopey,moping,mopish,morose,mumpish,overhanging,overhung,pending,projecting,scowling,sulky,sullen,superincumbent,surly 2095 - beetle,arachnid,arthropod,beetle-browed,beetling,bug,caterpillar,centipede,chilopod,daddy longlegs,digester,diplopod,fly,hang out,hang over,harvestman,hexapod,impend,impend over,impendent,impending,incumbent,insect,jut,jutting,larva,lean over,lowering,macerator,maggot,masher,millepede,millipede,mite,nymph,overhang,overhanging,overhung,pending,poke,potato masher,pouch,pout,project,project over,projecting,protrude,pulp machine,pulper,pulpifier,scorpion,smasher,spider,stand out,superincumbent,tarantula,thrust over,tick 2096 - befall,be found,be met with,be realized,bechance,betide,break,chance,come,come about,come along,come down,come off,come to pass,come true,develop,eventuate,fall,fall out,go,go off,hap,happen,happen along,happen by chance,hazard,occur,pass,pass off,pop up,take place,transpire,turn up 2097 - befit,advance,advantage,agree with,answer,be bound,be obligated,be obliged,be right,become,befitting,behoove,benefit,beseem,do the trick,fill the bill,fit,forward,go together,not come amiss,owe it to,profit,promote,serve,suit the occasion,work 2098 - befitting,a propos,ad rem,adapted,advantageous,advisable,applicable,apposite,appropriate,appropriate to,apropos,apt,auspicious,becoming,comme il faut,conforming,congruous,convenient,correct,decent,desirable,dovetailing,due,expedient,favorable,feasible,felicitous,fit,fitted,fitten,fitting,fortunate,fructuous,geared,good,happy,just,just right,likely,lucky,meet,meshing,nice,on the button,opportune,pat,politic,profitable,proper,proper to,propitious,providential,qualified,recommendable,relevant,right,ripe,seasonable,seemly,sortable,suitable,suited,suiting,tailored,timely,to be desired,to the point,to the purpose,useful,well-timed,wise,worthwhile 2099 - befog,becloud,bedim,bemist,bewilder,blanket,blind,blur,camouflage,cap,clabber up,cloak,cloud,cloud over,cloud up,conceal,confound,confuse,cover,cover up,curtain,darken,darken over,dim,disguise,dissemble,distract attention from,eclipse,encloud,enmist,ensconce,enshroud,envelop,fog,gloss over,haze,hide,keep under cover,mask,mist,muddy,nubilate,obfuscate,obnubilate,obscure,occult,overcast,overcloud,overshadow,oversmoke,perplex,pose,screen,shade,shadow,shroud,slur over,smog,smoke,stumble,varnish,veil,whitewash 2100 - before long,after a time,after a while,afterward,afterwards,anon,betimes,by and by,by destiny,directly,ere long,fatally,hopefully,imminently,in a moment,in a while,in aftertime,in due course,in due time,in the future,later,predictably,presently,probably,proximo,shortly,soon,tomorrow 2101 - before,above,aforetime,ahead,ahead of time,already,ante,before all,before now,beforehand,beforetime,betimes,by choice,by election,by vote,confronting,earlier,early,ere,ere then,erenow,erewhile,erst,erstwhile,facing,first,fore,foremost,foresightedly,formerly,forward,headmost,hereinabove,hereinbefore,heretofore,historically,hitherto,in advance,in advance of,in anticipation,in anticipation of,in front,in front of,in preference,in preference to,in preparation for,in the forefront,in the foreground,in the front,in the future,in the lead,in the past,in times past,once,only yesterday,or ever,preceding,precociously,preferably,prehistorically,previous,previous to,previously,prior to,priorly,rather,rather than,recently,sooner,sooner than,supra,then,theretofore,till,to,to come,to the fore,to the front,until,up ahead,up to,whilom,yesterday,yet 2102 - beforehand,ahead,ahead of time,anachronistic,ante,antedated,before,beforetime,behind time,behindhand,betimes,dated,earlier,early,fore,foredated,foresightedly,forward,in advance,in anticipation,late,metachronistic,misdated,mistimed,out of date,out of season,overdue,parachronistic,past due,postdated,precociously,previous,prochronistic,sooner,tardy,unpunctual,unseasonable 2103 - beforetime,aforetime,ahead,ahead of time,anticipative,anticipatory,before,before now,beforehand,betimes,bright and early,earlier,early,erenow,erewhile,erst,forehand,forehanded,foresighted,foresightedly,formerly,heretofore,historically,hitherto,in advance,in anticipation,in good time,in the past,in times past,only yesterday,precociously,prehistorically,prevenient,previously,priorly,recently,then,whilom,yesterday 2104 - befoul,abuse,afflict,aggrieve,benasty,bespatter,bewitch,blacken,blight,condemn,contaminate,convert,corrupt,crucify,curse,damage,debase,defalcate,defame,defile,denigrate,deprave,desecrate,despoil,destroy,disadvantage,disserve,distress,divert,do a mischief,do evil,do ill,do wrong,do wrong by,doom,embezzle,envenom,foul,get into trouble,harass,harm,hex,hurt,impair,infect,injure,jinx,maladminister,maltreat,menace,mess,mess up,misapply,misappropriate,misemploy,mishandle,mismanage,mistreat,misuse,molest,nasty,outrage,peculate,persecute,pervert,pilfer,play havoc with,play hob with,poison,pollute,prejudice,profane,prostitute,savage,scathe,slander,slur,smear,spatter,sully,taint,tarnish,threaten,torment,torture,traduce,violate,wound,wreak havoc on,wrong 2105 - befriend,abet,aid,assist,avail,bail out,bear a hand,benefit,buddy up,comfort,do good,doctor,ease,favor,get acquainted,get chummy with,give a boost,give a hand,give a lift,give help,help,lend a hand,lend one aid,make friends with,play footsie with,proffer aid,protect,rally,reclaim,redeem,relieve,remedy,render assistance,rescue,restore,resuscitate,revive,save,scrape acquaintance with,set up,shake hands with,succor,take in tow,take up with,win friends 2106 - befrilled,adorned,beaded,bedecked,bedizened,bejeweled,beribboned,bespangled,colored,decked out,decorated,embellished,embroidered,fancy,feathered,festooned,figurative,figured,florid,flowered,flowery,garnished,jeweled,lush,luxuriant,ornamented,ornate,overcharged,overloaded,plumed,purple,spangled,spangly,studded,tricked out,trimmed,wreathed 2107 - befuddle,addle,addle the wits,ball up,becloud,bedazzle,bemuse,besot,bewilder,bother,bug,cloud,confuse,daze,dazzle,discombobulate,discomfit,discompose,disconcert,disorganize,disorient,distract,disturb,embarrass,entangle,flummox,flurry,fluster,flutter,fog,fuddle,fuss,inebriate,intoxicate,maze,mist,mix up,moider,muddle,perplex,perturb,pother,put out,raise hell,rattle,ruffle,throw into confusion,throw off,unsettle,upset 2108 - befuddled,addlebrained,addled,addleheaded,addlepated,beclouded,cloudy,fogged,foggy,fuddlebrained,fuddled,hazy,in a fog,in a muddle,misted,misty,muddled,muddleheaded,muzzy,puzzleheaded 2109 - beg leave,apply for,ask,ask for,bespeak,call for,crave,demand,desire,file for,indent,make a request,make a requisition,make application,order,put in for,request,requisition,whistle for,wish 2110 - beg off,abandon,back out,be unmoved,be unwilling,cry off,decline,decline to accept,depart from,disagree,disallow,discard,disclaim,dissent,drop out,evacuate,forsake,go back on,hold out against,jettison,jilt,leave,leave behind,leave flat,maroon,negate,negative,not buy,not consent,not hear of,not think of,pull out,quit,quit cold,refuse,refuse consent,reject,renege,repudiate,resist entreaty,resist persuasion,say goodbye to,say nay,say no,stand aloof,stand down,take leave of,throw over,turn down,vacate,vote nay,vote negatively,withdraw 2111 - beg the question,about the bush,around the bush,beat about,beat around,bicker,boggle,cavil,choplogic,dodge,duck,equivocate,evade,evade the issue,fence,hedge,hem and haw,mystify,nitpick,obscure,palter,parry,pick nits,prevaricate,pull away,pull back,pussyfoot,put off,quibble,recoil,sheer off,shift,shift off,shrink,shuffle,shy,shy away,shy off,sidestep,split hairs,step aside,swerve,tergiversate,ward off 2112 - beg to differ,agree to differ,agree to disagree,be at variance,be in dissent,differ,disagree,disagree with,discord with,dissent,dissent from,divide on,drop out,not agree,oppose,secede,take exception,take issue,withdraw,withhold assent 2113 - beg,adjure,appeal,appeal to,ask,bear,beget,beseech,besiege,brace,breed,bum,cadge,call for help,call on,call upon,circumvent,clamor for,conjure,crave,cry for,cry on,cry to,demand,ditch,double,elude,entreat,escape,evade,generate,get,get around,get away from,get out of,hit,hit up,impetrate,implore,importune,imprecate,invoke,kneel to,mooch,multiply,nag,obtest,panhandle,pass the hat,petition,plead,plead for,pray,press,procreate,produce,progenerate,propagate,reproduce,request,run to,scrounge,shake,shake off,shuffle out of,sire,skirt,solicit,sue,supplicate,touch,worry 2114 - beget,author,be fruitful,be productive,bear,birth,breed,breed true,bring about,bring forth,bring into being,bring to birth,bring to effect,bring to pass,call into being,cause,coin,conceive,concoct,contrive,cook up,copulate,create,crossbreed,design,develop,devise,discover,do,dream up,effect,effectuate,engender,establish,evolve,fabricate,father,found,frame,fructify,generate,gestate,get,give being to,give birth to,give occasion to,give origin to,give rise to,hatch,improvise,inaugurate,inbreed,institute,invent,make,make do with,make love,make up,mature,mint,mother,multiply,occasion,originate,outbreed,plan,procreate,produce,proliferate,propagate,pullulate,realize,reproduce,reproduce in kind,set afloat,set on foot,set up,sire,spawn,strike out,teem,think out,think up,work 2115 - beggar,Arab,Bowery bum,almsman,almswoman,asker,baffle,bankrupt,beach bum,beachcomber,beggarly fellow,blighter,bloke,bo,budmash,bum,bummer,cadger,caitiff,casual,challenge,chap,charity case,coupon clippers,deadbeat,defy,derelict,devil,dogie,down-and-out,down-and-outer,drifter,drone,drunkard,fellow,freeloader,gamin,gamine,good-for-naught,good-for-nothing,guttersnipe,guy,hardcase,hobo,homeless waif,human wreck,idle rich,idler,impoverish,indigent,landloper,lazzarone,leisure class,loafer,losel,lounge lizard,lowlife,lumpen proletariat,man,mauvais sujet,mean wretch,mendicant,mendicant friar,mendicant order,moocher,mucker,mudlark,no-good,nonworker,panhandler,parasite,pauper,pauperize,pauvre diable,penniless man,person,petitioner,piker,pilgarlic,poor creature,poor devil,poor man,poorling,prayer,ragamuffin,ragman,ragpicker,reduce,rentiers,rounder,sad case,sad sack,schnorrer,scrounger,ski bum,skid-row bum,spiv,sponge,sponger,starveling,stiff,stray,street Arab,street urchin,suitor,sundowner,suppliant,supplicant,supplicator,surf bum,swagman,swagsman,tatterdemalion,tennis bum,the unemployable,the unemployed,tramp,truant,turnpiker,urchin,vag,vagabond,vagrant,vaurien,waif,waifs and strays,want,wastrel,welfare client,worthless fellow,wretch 2116 - beggared,beggarly,bereaved,bereft,broke,deprived,destitute,disadvantaged,flat,fleeced,fortuneless,ghettoized,impecunious,impoverished,in need,in rags,in want,indigent,mendicant,necessitous,needy,on relief,out at elbows,pauperized,poverty-stricken,starveling,stripped,underprivileged 2117 - beggarly,abject,abominable,arrant,atrocious,backscratching,bare-handed,base,base-minded,beggared,beneath contempt,bereaved,bereft,bootlicking,cheap,cheesy,common,contemptible,cowering,crawling,cringing,crouching,crummy,debased,degraded,depraved,deprived,despicable,dirty,disadvantaged,disgusting,empty-handed,execrable,famished,fawning,flagrant,flattering,fleeced,footlicking,foul,fulsome,gaudy,ghettoized,gimcracky,grave,gross,groveling,half-starved,hangdog,heinous,ignoble,ill off,ill-equipped,ill-furnished,ill-provided,impoverished,in need,in rags,in want,indigent,ingratiating,little,low,low-down,low-minded,lumpen,mangy,mealymouthed,mean,measly,mendicant,meretricious,miserable,monstrous,necessitous,needy,nefarious,obeisant,obnoxious,obsequious,odious,on bended knee,on relief,on short commons,out at elbows,paltry,parasitic,pathetic,pauperized,petty,pitiable,pitiful,poky,poor,poverty-stricken,prostrate,rank,reptilian,rubbishy,sad,scabby,scrubby,scruffy,scummy,scurvy,scuzzy,shabby,shoddy,shorthanded,small,sniveling,sorry,sponging,squalid,starved,starveling,starving,stripped,sycophantic,timeserving,toadeating,toadying,toadyish,trashy,truckling,trumpery,two-for-a-cent,two-for-a-penny,twopenny,twopenny-halfpenny,underfed,undermanned,undernourished,underprivileged,unfed,unmentionable,unprovided,unreplenished,unsupplied,valueless,vile,worthless,wretched 2118 - beggary,absence,bare cupboard,bare subsistence,beggarliness,begging,bumming,cadging,defectiveness,deficiency,deficit,deprivation,destitution,drought,empty purse,famine,grinding poverty,gripe,hand-to-mouth existence,homelessness,impecuniousness,imperfection,impoverishment,incompleteness,indigence,lack,mendicancy,mendicity,moneylessness,mooching,necessitousness,necessity,need,neediness,omission,panhandling,pauperism,pauperization,penury,pinch,privation,scrounging,shortage,shortcoming,shortfall,starvation,want,wantage 2119 - begging,adjuratory,appealing,beggary,beseeching,bumming,cadging,entreating,imploring,mendicancy,mendicant,mendicity,mooching,panhandling,petitionary,pleading,prayerful,precative,precatory,scrounging,suppliant,supplicant,supplicating,supplicatory 2120 - begild,apply paint,aurify,bedaub,bedizen,besmear,brush on paint,calcimine,coat,color,complexion,cover,dab,daub,deep-dye,dip,distemper,double-dye,dye,emblazon,enamel,engild,face,fast-dye,fresco,gild,glaze,gloss,grain,hue,illuminate,imbue,ingrain,japan,jaundice,lacquer,lay on color,paint,parget,pigment,prime,sallow,shade,shadow,shellac,slop on paint,smear,stain,stipple,tinct,tincture,tinge,tint,tone,turn yellow,undercoat,varnish,wash,whitewash,yellow 2121 - begin,arise,attack,blast away,blast off,broach,commence,create,dig in,dive in,embark,enter,enter on,enter upon,establish,fall to,found,get off,get to,go ahead,go into,head into,inaugurate,initiate,institute,introduce,jump off,kick off,launch,lead off,open,originate,pitch in,plunge into,prepare,send off,set about,set in,set out,set sail,set to,set up,spring,start,start in,start off,start out,tackle,take off,take up,turn to,usher in 2122 - beginner,abecedarian,agent,alphabetarian,ancestors,apprentice,architect,articled clerk,artificer,artist,author,baby,begetter,boot,builder,catalyst,catechumen,causer,colt,conceiver,constructor,craftsman,creator,deb,debutant,designer,deviser,discoverer,effector,engenderer,engineer,entrant,executor,executrix,father,fledgling,founder,freshman,generator,greenhorn,greeny,grower,ignoramus,inaugurator,inductee,industrialist,infant,initiate,initiator,inspirer,instigator,institutor,introducer,inventor,journeyman,learner,maker,manufacturer,master,master craftsman,mother,mover,neophyte,nestling,new boy,newcomer,novice,novitiate,organizer,originator,parent,past master,planner,postulant,precursor,prime mover,primum mobile,probationer,probationist,producer,raiser,raw recruit,realizer,recruit,rookie,shaper,sire,smith,tenderfoot,trainee,tyro,wright 2123 - beginning,abecedarian,aboriginal,alpha,anlage,antenatal,anticipation,appearance,authorship,autochthonous,babyhood,basal,beginnings,birth,budding,childhood,coinage,commencement,conception,concoction,contrivance,contriving,cradle,creation,creative,creative effort,dawn,dawning,day,derivation,devising,earliness,early hour,early stage,elemental,elementary,embryonic,emergence,fabrication,fetal,first crack,first stage,foresight,formative,foundational,freshman year,fundamental,generation,genesis,gestatory,grass roots,ground floor,hatching,head,head start,improvisation,in embryo,in its infancy,in the bud,inaugural,inception,inceptive,inchoate,inchoation,inchoative,incipience,incipiency,incipient,incunabula,incunabular,infancy,infant,infantile,initial,initiative,initiatory,introductory,invention,inventive,making do,mintage,nascence,nascency,nascent,natal,nativity,onset,opening,origin,original,origination,outset,outstart,parturient,parturition,postnatal,pregnancy,pregnant,prenatal,prevenience,prevision,primal,primary,prime,primeval,primitive,primogenial,procreative,prologue,provenience,radical,radix,readiness,rise,root,rudiment,rudimental,rudimentary,running start,setout,source,spring,sprout,start,stem,stock,taproot,time to spare,ur,very beginning,youth 2124 - begrime,bemire,bemud,besmoke,besoil,dirt,dirty,dirty up,dust,foul,grime,mire,muck,muck up,muddy,slime,smirch,smoke,smooch,smudge,soot,tarnish 2125 - begrudge,balk at,be unwilling,cast envious eyes,close the hand,covet,deny,envy,famish,grudge,hold back,live upon nothing,mind,not care to,not feel like,object to,pinch,pinch pennies,refuse,resent,scamp,scant,screw,scrimp,skimp,starve,stint,withhold,would rather not 2126 - beguile,allure,amuse,bamboozle,beat,becharm,beguile of,betray,bewitch,bilk,bluff,bunco,burn,cajole,call away,captivate,carry away,cast a spell,charm,cheat,cheat on,chisel,chouse,chouse out of,circumvent,cog,cog the dice,con,conjure,convulse,cozen,crib,cross,deceive,defraud,delight,delude,deprive of,detract,detract attention,diddle,distract,divert,divert the mind,do in,do out of,double-cross,dupe,enchant,engage,engross,enliven,enrapture,enravish,entertain,enthrall,entice,entrance,euchre,exhilarate,exploit,fascinate,finagle,finesse,flam,fleece,fleet,flimflam,fob,fool,forestall,four-flush,fracture one,fudge,gammon,get around,gouge,gull,gyp,have,hoax,hocus,hocus-pocus,hoodwink,hornswaggle,humbug,hypnotize,infatuate,intrigue,jockey,juggle,kill,knock dead,let down,loosen up,lure,maneuver,mesmerize,mislead,mock,mulct,outmaneuver,outreach,outsmart,outwit,overreach,pack the deal,pigeon,play,play one false,practice fraud upon,put something over,raise a laugh,raise a smile,recreate,refresh,regale,relax,rook,scam,screw,seduce,sell,sell gold bricks,sell out,shave,shortchange,slay,snow,solace,spell,spellbind,split,stack the cards,stick,sting,string along,swindle,take a dive,take in,thimblerig,throw a fight,tickle,titillate,transport,trick,two-time,vamp,victimize,wile,witch,wow 2127 - beguiled,agape,aghast,agog,all agog,amazed,apish,asinine,astonished,astounded,at gaze,awed,awestruck,batty,befooled,besotted,bewildered,bewitched,brainless,breathless,buffoonish,captivated,cockeyed,confounded,crazy,credulous,daffy,daft,dazed,dizzy,doting,dumb,dumbfounded,dumbstruck,enchanted,enraptured,enravished,enthralled,entranced,fascinated,fatuitous,fatuous,flabbergasted,flaky,fond,fool,foolheaded,foolish,fuddled,futile,gaga,gaping,gauping,gazing,goofy,gulled,hypnotized,idiotic,imbecile,in awe,in awe of,inane,inept,infatuated,insane,kooky,loony,lost in wonder,mad,marveling,maudlin,mesmerized,moronic,nutty,open-eyed,openmouthed,overwhelmed,popeyed,puzzled,rapt in wonder,sappy,screwy,senseless,sentimental,silly,spellbound,staggered,staring,stupefied,stupid,surprised,thoughtless,thunderstruck,under a charm,wacky,wet,wide-eyed,witless,wonder-struck,wondering 2128 - beguiling,alluring,amusing,appealing,appetizing,attractive,bewildering,bewitching,blandishing,cajoling,captivating,catching,catchy,charismatic,charming,coaxing,come-hither,coquettish,deceiving,deceptive,delightful,deluding,delusive,delusory,diverting,dubious,enchanting,engaging,enigmatic,enravishing,entertaining,enthralling,enticing,entrancing,exceptional,exciting,exotic,extraordinary,fabulous,fallacious,false,fantastic,fascinating,fetching,fishy,flirtatious,fun,glamorous,hallucinatory,humorous,hypnotic,illusive,illusory,incomprehensible,inconceivable,incredible,interesting,intriguing,inviting,irresistible,marvelous,mesmeric,miraculous,misleading,mouth-watering,outlandish,passing strange,phenomenal,piquant,prepossessing,prodigious,provocative,provoquant,puzzling,questionable,rare,ravishing,recreational,remarkable,seducing,seductive,sensational,siren,sirenic,spellbinding,spellful,strange,striking,stupendous,taking,tantalizing,teasing,tempting,tickling,titillating,titillative,trickish,tricksy,tricky,unheard-of,unimaginable,unique,unprecedented,winning,winsome,witching,wonderful,wondrous 2129 - behalf,advantage,avail,behoof,benefit,benison,blessing,boon,convenience,for,gain,good,in place of,interest,percentage,point,profit,service,use,value,welfare,well-being,world of good,worth 2130 - behave,acquit,act,act toward,act well,be good,be nice,bear,behave toward,carry,comport,conduct,control,cope with,deal by,deal with,demean,deport,direct,disport,do,do by,do right,function,go on,handle,make,make as if,manage,misbehave,move,operate,perform,play,play the game,practice,proceed,quit,react,respond to,serve,take,treat,use,work 2131 - behavior,Pavlovian conditioning,act,acting,action,actions,activism,activity,bearing,comportment,conditioned response,conditioning,conduct,demeanor,deportment,doing,employment,exercise,function,functioning,instrumental conditioning,manner,manners,mien,movements,negative reinforcement,occupation,operant conditioning,operation,operations,play,positive reinforcement,practice,praxis,psychagogy,reeducation,reflex,reinforcement,reorientation,swing,unconditioned reflex,way,work,working,workings 2132 - behaviorism,Adlerian psychology,Freudian psychology,Freudianism,Gestalt psychology,Horneyan psychology,Jungian psychology,Marxism,Pavlovian psychology,Reichian psychology,Skinnerian psychology,Watsonian psychology,analytical psychology,animalism,apperceptionism,association psychology,associationism,atomism,behavior therapy,behavioristic psychology,commonsense realism,configurationism,dialectical materialism,dianetics,earthliness,empiricism,epiphenomenalism,historical materialism,hylomorphism,hylotheism,hylozoism,materialism,mechanism,mental chemistry,metapsychology,natural realism,naturalism,new realism,orgone theory,physicalism,physicism,positive philosophy,positivism,pragmaticism,pragmatism,psychoanalysis,psychoanalytic theory,realism,representative realism,secularism,stimulus-response psychology,structuralism,substantialism,temporality,worldliness 2133 - behest,bidding,charge,command,commandment,demand,dictate,dictation,direct order,hest,imperative,injunction,mandate,order,pleasure,prompting,request,say-so,solicitation,special order,will,word,word of command 2134 - behind the scenes,DR,alive to,appreciative of,apprised of,awake to,aware of,back to back,backstage,before an audience,before the footlights,behind,behind the curtain,behind the veil,camouflaged,causal,causative,cognizant of,concealed,conscious of,constitutive,covertly,decisive,determinative,disguised,down left,down right,downstage,effectual,etiological,formative,hep to,hidden,imperceptible,in a corner,in a whisper,in back of,in darkness,in hidlings,in secret,in the background,in the dark,in the know,in the limelight,in the rear,in the secret,indiscernible,informed of,insensible,institutive,invisible,latent,let into,mindful of,no stranger to,nobody the wiser,occasional,off stage,on the stage,on to,onstage,originative,out of sight,pivotal,privy to,secret,secretly,seized of,sensible of,sensible to,sightless,sotto voce,streetwise,sub rosa,submerged,tandem,unapparent,unbeheld,unbeholdable,undeceived,under the breath,under the rose,undercover,underground,undiscernible,unnoticed,unobserved,unperceivable,unperceived,unrealized,unseeable,unseen,unviewed,unwitnessed,up left,upright,upstage,viewless,wise to,with bated breath 2135 - behind time,after time,ahead of time,anachronistic,antedated,backward,beforehand,behind,behindhand,belatedly,dated,deep into,early,far on,foredated,late,metachronistic,misdated,mistimed,none too soon,out of date,out of season,overdue,parachronistic,past due,postdated,prochronistic,slow,tardy,unpunctual,unseasonable 2136 - behind,after,after time,afterpart,afterpiece,afterward,arrested,back,back door,back of,back seat,back side,back to back,backside,backward,behind the scenes,behind time,behindhand,belatedly,below,beyond,bottom,breech,butt,buttocks,by and by,can,checked,croup,crupper,deep into,delayed,derriere,detained,fanny,far on,following,haunches,heel,heinie,hind end,hind part,hindhead,impeded,in arrear,in arrears,in back of,in support of,in the background,in the rear,infra,late,later,later than,latterly,nates,next,none too soon,occiput,past,posterior,postern,rear,rear end,rearward,retarded,reverse,rump,set back,since,slow,slowed down,stern,subsequent to,subsequently,supporting,tail,tail end,tailpiece,tandem,tardy 2137 - behindhand,after time,ahead of time,anachronistic,antedated,arrested,back,backward,beforehand,behind,behind time,belated,belatedly,blocked,careless,dated,deep into,defaulting,delayed,delayed-action,delinquent,derelict,detained,disregardful,early,far on,foredated,held up,hung up,in a bind,in abeyance,in arrear,in arrears,jammed,late,latish,lax,metachronistic,misdated,mistimed,moratory,neglectful,never on time,none too soon,nonpaying,obstructed,out of date,out of season,overdue,parachronistic,past due,postdated,prochronistic,regardless,remiss,retarded,slack,slow,stopped,tardy,underdeveloped,undeveloped,unprogressive,unpunctual,unready,unseasonable,untimely 2138 - behold,NB,catch sight of,clap eyes on,descry,discern,discover,distinguish,espy,glimpse,have in sight,ken,lay eyes on,look at,look on,look upon,make out,mark,note,notice,observe,perceive,pick out,recognize,regard,remark,see,sight,spot,spy,take in,twig,view,witness 2139 - beholden,acknowledging,appreciative,beholden to,bound,bounden,bounden to,cognizant of,committed,crediting,duty-bound,grateful,in debt,in duty bound,indebted,indebted to,much obliged,obligate,obligated,obliged,obliged to,pledged,saddled,sensible,thankful,tied,under obligation 2140 - behoof,advantage,avail,behalf,benefit,benison,blessing,boon,convenience,gain,good,interest,percentage,point,profit,service,use,value,welfare,well-being,world of good,worth 2141 - beige,aureate,auric,brown,brownish,brownish-yellow,brunet,buff,buff-yellow,canary,canary-yellow,chocolate,cinnamon,citron,citron-yellow,cocoa,cocoa-brown,coffee,coffee-brown,cream,creamy,drab,dun,dun-brown,dun-drab,ecru,fallow,fawn,fawn-colored,flaxen,fuscous,gilded,gilt,gold,gold-colored,golden,grege,hazel,khaki,lemon,lemon-yellow,lurid,luteolous,lutescent,nut-brown,ocherish,ocherous,ochery,ochreous,ochroid,ochrous,ochry,olive-brown,olive-drab,or,primrose,primrose-colored,primrose-yellow,saffron,saffron-colored,saffron-yellow,sallow,sand-colored,sandy,seal,seal-brown,sepia,snuff-colored,sorrel,straw,straw-colored,tan,taupe,tawny,toast,toast-brown,umber,umber-colored,walnut,walnut-brown,xanthic,xanthous,yellow,yellowish,yellowish-brown 2142 - being,Adamite,actual,actuality,aerobic organism,an existence,anaerobic organism,as,as is,as long as,autotrophic organism,body,bones,bosom,breast,cat,cause,chap,character,considering,contemporaneous,contemporary,creature,critter,current,customer,duck,earthling,ens,entelechy,entity,esprit,esse,essence,essentiality,existence,existent,existing,extant,fellow,for,fresh,genetic individual,groundling,guts,guy,hand,head,heart,heart of hearts,heartstrings,heterotrophic organism,homo,human,human being,immanent,immediate,in being,in effect,in existence,in force,inasmuch as,individual,individuality,inmost heart,inmost soul,innermost being,instant,joker,latest,life,living,living being,living soul,living thing,man,material,materiality,matter,microbe,microorganism,modern,monad,morphological individual,mortal,nature,new,nose,object,occurrence,on foot,one,ont,organic being,organism,organization,party,person,persona,personage,personality,physiological individual,presence,present,present-age,present-day,present-time,prevalent,running,secret places,seeing,since,single,somebody,someone,something,soul,spirit,stuff,subsistence,subsistent,subsisting,substance,substantiality,tellurian,terran,texture,that be,that is,thing,topical,under the sun,unit,up-to-date,up-to-the-minute,virus,viscera,whereas,worldling,zooid,zoon 2143 - bejewel,bead,beribbon,beset,bespangle,diamond,encrust,engrave,feather,figure,filigree,flag,flounce,flower,garland,gem,illuminate,jewel,paint,plume,ribbon,spangle,tinsel,wreathe 2144 - bejeweled,adorned,beaded,bedecked,bedizened,befrilled,beribboned,bespangled,decked out,decorated,embellished,feathered,festooned,figured,flowered,garnished,jeweled,ornamented,plumed,spangled,spangly,studded,tricked out,trimmed,wreathed 2145 - bel canto,bravura,choral singing,coloratura,croon,crooning,folk singing,hum,humming,intonation,lyricism,operatic singing,scat,scat singing,singing,sol-fa,sol-fa exercise,solfeggio,solmization,song,tonic sol-fa,vocal music,vocalization,warbling,yodel,yodeling 2146 - belabor,accent,accentuate,always trot out,baste,bastinado,batter,beat,belt,birch,buffet,cane,club,cowhide,cudgel,cut,drub,dwell on,dwell upon,emphasize,flagellate,flail,flog,fustigate,give a whipping,give emphasis to,give the stick,hammer away at,harp on,highlight,horsewhip,insist upon,italicize,knout,labor,lace,lambaste,lash,lay on,overaccentuate,overemphasize,overstress,pelt,pistol-whip,place emphasis on,point up,pommel,pound,pummel,punctuate,rawhide,rub in,scourge,smite,spank,spotlight,star,strap,stress,stripe,swinge,switch,thrash,thresh over,thump,trounce,truncheon,underline,underscore,wallop,whale,whip,whop 2147 - belabored,alliterating,alliterative,assonant,chanting,chiming,cliche-ridden,dingdong,harping,humdrum,jingle-jangle,jog-trot,labored,monotone,monotonous,rhymed,rhyming,singsong,tedious 2148 - belated,antique,archaic,arrested,back,backward,behind time,behindhand,blocked,dated,delayed,delayed-action,detained,held up,hung up,in a bind,in abeyance,jammed,late,latish,moratory,never on time,obstructed,oldfangled,out of date,out-of-date,outdated,outmoded,overdue,passe,retarded,slow,stopped,tardy,unpunctual,unready,untimely 2149 - belay,abandon,abort,affix,anchor,annex,attach,batten,batten down,cancel,cease,cement,chain,cinch,clamp,clinch,cramp,cut it out,desist,discontinue,drop it,end,engraft,fasten,fasten down,fix,give over,graft,grapple,halt,have done with,hold,knit,knock it off,lay off,leave off,make fast,make secure,make sure,moor,put to,quit,refrain,relinquish,renounce,screw up,scrub,secure,set,set to,stay,stop,terminate,tether,tie,tighten,trice up,trim 2150 - belch,blare,blat,blow open,blow out,bray,break out,burp,burr,burst,burst forth,burst out,buzz,cackle,cascade,caw,chirr,clang,clangor,clank,clash,craunch,croak,crump,crunch,debouchment,discharge,disgorge,dissiliency,eject,eruct,eructate,eructation,erupt,eruption,expel,flare-up,gas,grind,groan,growl,grumble,gush,hiccup,hurl forth,irrupt,jangle,jar,jet,outbreak,outburst,rapids,rasp,rush,scranch,scrape,scratch,scrunch,snarl,snore,spate,spew,spout,spurt,torrent,twang,volcan,vomit,wind 2151 - beldam,Jezebel,Mafioso,Young Turk,bag,bat,battle-ax,beast,berserk,berserker,biddy,bitch,bitch-kitty,bomber,brute,cat,common scold,crone,dame,demon,devil,dowager,drab,dragon,fiend,fire-eater,firebrand,fishwife,frump,fury,gammer,goon,gorilla,grandam,grandmother,granny,grimalkin,gunsel,hag,hardnose,hell-raiser,hellcat,hellhag,hellhound,hellion,holy terror,hood,hoodlum,hothead,hotspur,incendiary,killer,mad dog,madcap,matriarch,matron,monster,mugger,old battle-ax,old dame,old girl,old granny,old lady,old trot,old wife,old woman,rapist,revolutionary,savage,scold,she-devil,she-wolf,shrew,siren,spitfire,termagant,terror,terrorist,tiger,tigress,tough,tough guy,trot,ugly customer,violent,virago,vixen,war-horse,wild beast,wildcat,witch,wolf 2152 - beleaguer,annoy,bedevil,beset,besiege,blockade,bound,box in,cage,chamber,close in,compass,contain,coop,coop in,coop up,cordon,cordon off,corral,encircle,enclose,encompass,enshrine,envelop,fence in,gnaw,harass,harry,hedge in,hem in,house in,impound,imprison,incarcerate,include,invest,jail,kennel,lay siege to,leaguer,mew,mew up,pen,pen in,pester,plague,pocket,quarantine,rail in,shrine,shut in,shut up,siege,soften up,stable,storm,surround,tease,wall in,wrap,yard,yard up 2153 - beleaguered,barred,beset,besieged,blockaded,bound,cabined,caged,cloistered,closed-in,confined,cooped,cordoned,cordoned off,corralled,cramped,cribbed,enclosed,fenced,hedged,hemmed,immured,imprisoned,incarcerated,jailed,leaguered,mewed,paled,penned,pent-up,quarantined,railed,restrained,shut-in,walled,walled-in 2154 - belfry,antenna tower,barbican,bean,bell tower,campanile,carillon,colossus,column,conk,cupola,derrick,dome,fire tower,head,headpiece,lantern,lighthouse,martello,martello tower,mast,minaret,monument,noddle,noggin,noodle,obelisk,observation tower,pagoda,pilaster,pillar,pinnacle,pole,poll,pylon,pyramid,shaft,skyscraper,spire,standpipe,steeple,stupa,television mast,tope,tour,tower,turret,water tower,windmill tower 2155 - belie,abjure,assert the contrary,be contrary to,blow sky-high,blow up,burlesque,call into question,camouflage,caricature,challenge,color,conceal,contest,contradict,contravene,controvert,counter,cross,deflate,deny,disaffirm,disallow,disavow,disclaim,disconfirm,discredit,disguise,disown,disprove,dispute,distort,dress up,embellish,embroider,exaggerate,explode,expose,falsify,forswear,fudge,gainsay,garble,gild,gloss,gloss over,hide,impugn,invalidate,join issue upon,mask,miscite,miscolor,misquote,misreport,misrepresent,misstate,misteach,negate,negative,not accept,not admit,nullify,oppose,oppugn,overdraw,overstate,parody,pervert,prove the contrary,puncture,rebut,recant,refuse to admit,refute,reject,renounce,repudiate,retract,revoke,show up,slant,strain,take back,take issue with,titivate,traverse,travesty,trick out,twist,undercut,understate,varnish,warp,whitewash,wrench 2156 - belied,confounded,confuted,deflated,denied,discarded,discredited,dismissed,disproved,disputed,exploded,exposed,impugned,invalidated,negated,negatived,overthrown,overturned,punctured,refuted,rejected,shown up,upset 2157 - belief,a belief,acceptance,acquiescence,arrogance,article of faith,assent,assurance,assuredness,axiom,canon,certainty,certitude,cocksureness,concept,confidence,confidentness,conviction,courage,credence,credibility,credit,credo,creed,dependence,doctrine,dogma,eye,faith,feeling,fundamental,hubris,idea,intuition,judgement,law,maxim,mind,opinion,orthodoxy,overconfidence,oversureness,overweening,overweeningness,persuasion,poise,pomposity,positiveness,precept,pride,principle,principles,reliance,religion,religious belief,religious faith,security,self-assurance,self-confidence,self-importance,self-reliance,sentiment,settled belief,subjective certainty,sureness,surety,system of beliefs,teaching,tenet,theology,tradition,trust,trustworthiness,view 2158 - believable,colorable,conceivable,convincing,credible,creditable,fiduciary,impressive,likely,meaningful,persuasive,plausible,possible,presumable,probable,rational,reasonable,reliable,satisfying,solid,substantial,supposable,tenable,trustworthy,trusty,unexceptionable,unimpeachable,unquestionable,worthy of faith 2159 - believe,accept,accept for gospel,accept implicitly,accredit,admit,allow,assume,be afraid,be certain,be pious,be religious,believe in,believe without reservation,buy,conceive,conclude,confide in,conjecture,consider,credit,daresay,deduce,deem,divine,dream,expect,fancy,fear God,feel,gather,give faith to,grant,have confidence in,have faith,have faith in,hold,hope in,imagine,infer,keep the faith,let,let be,love God,maintain,make believe,opine,place confidence in,place reliance in,prefigure,presume,presuppose,presurmise,pretend,provisionally accept,put faith in,put trust in,receive,reckon,rely on,rely upon,repose confidence in,repose in,repute,rest in,say,sense,set store by,suppose,surmise,suspect,swallow,swear by,take,take for,take for granted,take it,take on faith,take on trust,take stock in,take to be,think,trust,trust in,trust in God,trust to,understand 2160 - believer,Christian,God-fearing man,accepter,catechumen,churchgoer,churchite,churchman,communicant,convert,cultist,daily communicant,devotee,devotionalist,disciple,fanatic,fideist,follower,good Christian,ist,neophyte,pietist,proselyte,receiver,religioner,religionist,religious believer,saint,the assured,the believing,the faithful,theist,true believer,truster,votary,zealot 2161 - belittle,bedwarf,bring down,bring into discredit,bring low,criticize,cry down,de-emphasize,debase,decry,degrade,denigrate,deprecate,depreciate,derogate,derogate from,detract from,diminish,disapprove of,discount,discredit,disgrace,disparage,dispraise,downgrade,downplay,dwarf,hold in contempt,knock,lessen,make light of,make little of,make nothing of,minify,minimize,misestimate,misprize,mitigate,play down,pooh-pooh,put down,reduce,reflect discredit upon,run down,sell short,set at naught,set little by,shrug off,slight,speak ill of,submit to indignity,think little of,think nothing of,trivialize,underestimate,underplay,underprize,underrate,underreckon,undervalue,write off 2162 - belittled,abated,ablated,attenuated,bated,consumed,contracted,curtailed,decreased,deflated,diminished,dissipated,dropped,eroded,fallen,less,lesser,lower,lowered,miniaturized,reduced,retrenched,scaled-down,shorn,shorter,shrunk,shrunken,smaller,watered-down,weakened,worn 2163 - belittling,abusive,back-biting,belittlement,bitchy,calumniatory,calumnious,catty,censorious,comedown,contempt,contemptuous,contumelious,decrial,defamatory,deprecatory,depreciation,depreciative,depreciatory,derisive,derisory,derogation,derogative,derogatory,detraction,detractory,disapproval,discrediting,disgrace,disparagement,disparaging,faint praise,indignity,knocking,libelous,lukewarm support,minification,minimization,minimizing,pejorative,putting down,qualification,ridiculing,scandalous,scurrile,scurrilous,slanderous,slighting,sour grapes,vilifying 2164 - bell the cat,affront,beard,bite the bullet,brave,brazen,brazen out,confront,court danger,defy danger,face,face the music,face up,face up to,flirt with death,front,go for broke,meet,meet boldly,meet head-on,play Russian roulette,play with fire,run the gauntlet,set at defiance,speak out,speak up,stand up to,tempt Providence 2165 - bell,Roman candle,aerophone,aid to navigation,alarm,amber light,arrest,balefire,battery,beacon,beacon fire,bell buoy,bells,blinker,blue peter,bones,bong,buoy,castanets,caution light,celesta,check,checkmate,chime,chimes,church bell,clapper,clappers,cowbell,crash cymbal,cutoff,cymbals,dead stop,deadlock,dinner bell,dinner gong,doorbell,double reed,embouchure,end,endgame,ending,final whistle,finger cymbals,fire bell,flare,fog bell,fog signal,fog whistle,foghorn,full stop,gamelan,glance,glockenspiel,go light,gong,gong bell,gong buoy,green light,grinding halt,gun,halt,hand bell,handbells,heliograph,high sign,horn,hour,idiophone,international alphabet flag,international numeral pennant,jingle bell,key,kick,knell,leer,lip,lockout,lyra,maraca,marimba,marker beacon,metallophone,minute,mouthpiece,nod,nudge,orchestral bells,parachute flare,passing bell,peal,percussion,percussion instrument,percussions,percussive,pilot flag,pipe,poke,police whistle,quarantine flag,radio beacon,rattle,rattlebones,red flag,red light,reed,rocket,sacring bell,sailing aid,semaphore,semaphore flag,semaphore telegraph,sheepbell,sign,signal,signal beacon,signal bell,signal fire,signal flag,signal gong,signal gun,signal lamp,signal light,signal mast,signal post,signal rocket,signal shot,signal siren,signal tower,sit-down strike,sizzler,sleigh bell,slide,snappers,spar buoy,stalemate,stand,standoff,standstill,stay,stop,stop light,stoppage,strike,tam-tam,telephone bell,the nod,the time,the wink,time,time of day,time signal,tintinnabula,tintinnabulum,toll,tongue,tonitruone,tooter,touch,traffic light,traffic signal,triangle,tubular bells,valve,vibes,vibraphone,walkout,watch fire,white flag,wigwag,wigwag flag,wind,wind instrument,wink,work stoppage,xylophone,yellow flag 2166 - belladonna,DET,DMT,Indian hemp,LSD,THC,bhang,cannabis,castor-oil plant,deadly nightshade,death camas,diethyltryptamine,dimethyltryptamine,ergot,foxglove,ganja,hallucinogens,hashish,hemlock,hemp,henbane,horsetail,hyoscyamus,jimsonweed,marijuana,mayapple,mescal,mescal bean,mescaline,monkshood,morning glory seeds,peyote,poison ivy,poison parsley,poison sumac,pokeweed,psilocin,psilocybin,stramonium 2167 - bellboy,Ganymede,Hebe,airline hostess,airline stewardess,attendant,batman,bellhop,bellman,bootblack,boots,cabin boy,caddie,callboy,caller,chore boy,copyboy,cupbearer,errand boy,errand girl,footboy,gofer,hostess,office boy,office girl,orderly,page,squire,steward,stewardess,tender,trainbearer,usher,yeoman 2168 - belle,Miss America,bathing beauty,beau ideal,beaut,beauty,beauty contest winner,beauty queen,bunny,charmer,cover girl,dazzler,dream,enchantress,fine lady,grande dame,great beauty,knockout,lady fair,looker,model,paragon,peach,pinup,pinup girl,precieuse,pussycat,raving beauty,reigning beauty,sex kitten,slick chick,stunner,toast 2169 - belles-lettres,French literature,Renaissance literature,ancient literature,classics,contemporary literature,erotic literature,erotica,folk literature,humane letters,kitsch,letters,literature,medieval literature,national literature,obscene literature,polite literature,pop literature,popular literature,pornographic literature,pornography,pseudonymous literature,republic of letters,scatological literature,serious literature,travel literature,underground literature,wisdom literature 2170 - bellhop,Ganymede,Hebe,airline hostess,airline stewardess,attendant,batman,bellboy,bellman,bootblack,boots,cabin boy,caddie,callboy,caller,chore boy,copyboy,cupbearer,errand boy,errand girl,footboy,gofer,hostess,office boy,office girl,orderly,page,squire,steward,stewardess,tender,trainbearer,usher,yeoman 2171 - bellicose,aggressive,antagonistic,assertive,battling,belligerent,bickering,bloodthirsty,bloody,bloody-minded,chauvinist,chauvinistic,combative,contentious,disputatious,divisive,enemy,eristic,factional,factious,ferocious,fierce,fighting,full of fight,hawkish,hostile,inimical,irascible,irritable,jingo,jingoish,jingoist,jingoistic,litigious,martial,militant,militaristic,military,offensive,partisan,polarizing,polemic,pugnacious,quarrelsome,rebellious,saber-rattling,sanguinary,sanguineous,savage,scrappy,shrewish,soldierlike,soldierly,trigger-happy,truculent,unfriendly,unpacific,unpeaceable,unpeaceful,warlike,warmongering,warring,wrangling 2172 - bellied,bellylike,bug-eyed,bulged,bulging,convex,exophthalmic,goggle,goggled,popeyed,pouched,rotund,round,rounded,rounded out,swollen,tumescent,tumid,tumorous,turgescent,turgid,ventricose 2173 - belligerence,aggression,aggressiveness,all-out war,antagonism,antipathy,appeal to arms,argumentativeness,armed combat,armed conflict,attack,battle,bellicism,bellicosity,belligerency,bickering,bloodshed,chauvinism,clash,clashing,collision,combat,combativeness,conflict,contention,contentiousness,despitefulness,disputatiousness,dissension,dissent,dissidence,faction,factiousness,ferocity,fierceness,fight,fighting,flak,friction,hate,hatred,hostilities,hostility,hot war,infighting,irascibility,irritability,jingoism,la guerre,litigiousness,malevolence,malice,malignity,martialism,might of arms,militancy,militarism,military operations,open hostilities,open war,partisan spirit,partisanship,pugnaciousness,pugnacity,quarrelsomeness,repugnance,resort to arms,saber rattling,shooting war,shrewishness,spite,spitefulness,state of war,the sword,total war,truculence,unfriendliness,unpeacefulness,war,warfare,warmaking,warmongering,warpath,warring,wartime 2174 - belligerent,acrid,aggressive,antagonist,antagonistic,antipathetic,ardent,argumental,argumentative,attacking,battler,battling,bellicose,belted knight,bickerer,bickering,bitter,blade,bloodthirsty,bloody,bloody-minded,bravo,brawler,bully,bullyboy,cat-and-dog,cat-and-doggish,caustic,chauvinist,chauvinistic,clashing,colliding,combatant,combative,competitor,conflicting,contender,contentious,contestant,controversial,despiteful,disputant,disputatious,divisive,duelist,enemy,enforcer,eristic,factional,factious,fencer,ferocious,feuder,fierce,fighter,fighting,fighting cock,foilsman,full of fight,full of hate,gamecock,gladiator,goon,gorilla,hatchet man,hateful,hawk,hawkish,hood,hoodlum,hooligan,hostile,hot,inimical,invading,irascible,irritable,jingo,jingoish,jingoist,jingoistic,jouster,knight,litigious,malevolent,malicious,malignant,martial,militant,militaristic,military,offensive,partisan,plug-ugly,polarizing,polemic,pugnacious,quarreler,quarrelsome,rancorous,repugnant,rioter,rival,rough,rowdy,ruffian,saber-rattling,sabreur,sanguinary,sanguineous,savage,scrapper,scrappy,scuffler,set against,shrewish,soldierlike,soldierly,sore,spiteful,squabbler,strong arm,strong-arm man,strong-armer,struggler,swashbuckler,sword,swordplayer,swordsman,tempered,thug,tilter,tough,trigger-happy,truculent,tussler,unfriendly,unpacific,unpeaceable,unpeaceful,venomous,virulent,vitriolic,warlike,warmonger,warmongering,warring,wrangler,wrangling 2175 - bellow,bark,battle cry,bawl,bay,be angry,be excitable,bell,bellow out,blare,blat,blate,bleat,blow a gasket,blow up,blubber,bluster,boom,bray,breathe,buzz,cackle,call,call out,catch fire,catch the infection,caterwaul,chant,cheer,chirp,clamor,come apart,coo,crow,cry,cry out,drawl,excite easily,exclaim,explode,fire up,flame up,flare up,flash up,flip,flute,gasp,get excited,give tongue,give voice,go into hysterics,growl,grunt,hail,halloo,have a tantrum,hiss,hit the ceiling,holler,holler out,hollo,hoot,howl,hurrah,keen,lilt,low,make an outcry,make an uproar,meow,mew,mewl,miaow,moo,mumble,murmur,mutter,neigh,nicker,outcry,pant,pipe,pipe up,pule,rage,raise a clamor,rallying cry,ramp,rant,rant and rave,rave,roar,rout,rumble,run a temperature,screak,scream,screech,seethe,shout,shout out,shriek,sibilate,sigh,sing,sing out,smolder,snap,snarl,snort,sob,squall,squawk,squeak,squeal,storm,take fire,thunder,troat,trumpet,turn a hair,twang,ululate,vociferate,wail,war cry,war whoop,warble,whicker,whine,whinny,whisper,whoop,yammer,yap,yawl,yawp,yell,yell out,yelp,yip,yo-ho,yowl 2176 - bellowing,abandoned,amok,berserk,carried away,delirious,demoniac,distracted,ecstatic,enraptured,feral,ferocious,fierce,frantic,frenzied,fulminating,furious,haggard,hog-wild,howling,hysterical,in a transport,in hysterics,intoxicated,mad,madding,maniac,orgasmic,orgiastic,possessed,rabid,raging,ramping,ranting,raving,ravished,roaring,running mad,storming,transported,uncontrollable,violent,wild,wild-eyed,wild-looking 2177 - bellwether,Mahdi,ancestor,announcer,antecedent,avant-garde,bell cow,bell mare,born leader,buccinator,bushwhacker,charismatic leader,choirmaster,choragus,conductor,coryphaeus,doyen,duce,ewe,ewe lamb,explorer,file leader,forebear,foregoer,forerunner,front runner,frontiersman,fugleman,groundbreaker,guide,harbinger,herald,innovator,inspired leader,jumbuck,lamb,lambkin,lead,lead runner,leader,leader of men,messenger,messiah,mutton,pacemaker,pacesetter,pathfinder,pilot,pioneer,point,precedent,precentor,precursor,predecessor,ram,ringleader,scout,sheep,standard-bearer,stormy petrel,symphonic conductor,teg,torchbearer,trailblazer,trailbreaker,tup,vanguard,vaunt-courier,voortrekker,wether,yeanling 2178 - belly dancer,artist,artiste,burlesque queen,chorine,chorus boy,chorus girl,conjurer,coryphee,dancer,dancing girl,ecdysiast,entertainer,exotic dancer,female impersonator,geisha,geisha girl,guisard,guiser,hoofer,impersonator,magician,mountebank,mummer,musician,nautch girl,peeler,performer,prestidigitator,public entertainer,show girl,singer,stripper,stripteaser,stripteuse,vaudevillian,vaudevillist 2179 - belly flop,belly buster,belly whopper,cannonball,crash dive,dive,drop,fall,gainer,header,jackknife,nose dive,parachute jump,pitch,plunge,pounce,power dive,running dive,sky dive,stationary dive,stoop,swan dive,swoop 2180 - belly,abdomen,abomasum,ascender,back,bag,balloon,bastard type,bay window,beard,bed,bedrock,beerbelly,belly out,bevel,bilge,billow,black letter,body,bottom,bottom side,bouge,breadbasket,breech,bug,bulge,buttocks,cap,capital,case,convexity,counter,craw,crop,cylindricality,descender,diaphragm,dilate,distend,downside,em,embonpoint,en,face,fat-faced type,feet,first stomach,font,fundament,gizzard,globosity,globularity,goggle,groove,gullet,gut,hardpan,honeycomb stomach,italic,kishkes,letter,ligature,logotype,lower case,lower side,lowest layer,lowest level,majuscule,manyplies,maw,midriff,minuscule,nether side,nethermost level,nick,omasum,orbicularity,paunch,pi,pica,point,pooch,pop,pot,potbelly,potgut,pouch,pout,print,psalterium,pusgut,rennet bag,reticulum,rock bottom,roman,rotundity,rotundness,round out,roundness,rumen,sans serif,script,second stomach,shank,shoulder,small cap,small capital,spare tire,sphericality,sphericalness,sphericity,spheroidicity,spheroidity,stamp,stem,stomach,substratum,swagbelly,swell,swell out,third stomach,tum-tum,tummy,type,type body,type class,type lice,typecase,typeface,typefounders,typefoundry,underbelly,underlayer,underneath,underside,upper case,venter,ventripotence 2181 - bellyache,ache,aching,air a grievance,angina,backache,beef,beefing,bellyaching,bitch,bitching,cephalalgia,clamor,colic,collywobbles,complain,complaining,complaint,crab,croak,destructive criticism,dissent,earache,faultfinding,fret,fret and fume,fuss,gnawing,grievance,gripe,gripes,griping,groan,groaning,grouch,grouse,grousing,growl,grumble,grumbling,grunt,gut-ache,headache,heartburn,hemicrania,holler,howl,kick,kicking,lodge a complaint,megrim,migraine,murmur,murmuring,mutter,odontalgia,otalgia,peeve,peevishness,pet peeve,petulance,protest,pyrosis,querulousness,raise a howl,register a complaint,scolding,sick headache,sniping,splitting headache,squawk,squawking,stomachache,take on,throbbing pain,toothache,whining,yap,yapping,yelp 2182 - bellyband,back band,backstrap,bearing rein,bit,blinders,blinds,breeching,bridle,caparison,cavesson,checkrein,cheekpiece,chinband,cinch,collar,crownband,crupper,curb,gag swivel,girt,girth,hackamore,halter,hames,hametugs,harness,headgear,headstall,hip straps,horn,jaquima,jerk line,jockey,lines,martingale,noseband,pole strap,pommel,reins,ribbons,saddle,shaft tug,side check,snaffle,stirrup,surcingle,tack,tackle,trappings,tug,winker braces,yoke 2183 - bellyful,bumper,capacity,charge,complement,cram,crush,engorgement,fill,full house,full measure,fullness,glut,jam up,lading,load,more than enough,mouthful,repletion,satiation,satiety,satisfaction,saturatedness,saturation,saturation point,skinful,snootful,supersaturation,surfeit 2184 - belong,accord,affect,agree,answer to,appertain,appertain to,apply to,be a member,be inscribed,be there,bear on,bear upon,become,befit,belong to,carry a card,chime,concern,connect,correspond,correspond to,deal with,fit,fit in,go,harmonize,have connection with,have its place,have place,hold membership,indwell,inhere,interest,involve,liaise with,link with,match,pertain,pertain to,refer to,regard,relate to,respect,set,subscribe,suit,tally,tie in with,touch,touch upon,treat of,vest,vest in 2185 - belongings,accessories,appanages,appendages,appointments,appurtenances,chattels,choses,choses in action,choses in possession,choses local,choses transitory,effects,goods,lares and penates,material things,movables,paraphernalia,perquisites,personal effects,personal property,possessions,things,trappings 2186 - beloved,admired,adored,beau,beloved object,cherished,crush,darling,dear,dear one,dearly beloved,esteemed,favorite,flame,heartthrob,held dear,honey,idolized,inamorata,inamorato,ladylove,light of love,love,loved,loved one,lover,pet,popular,precious,prized,respected,revered,steady,sweet,sweetheart,sweetie,treasured,truelove,valued,well-beloved,well-liked,white-haired 2187 - below par,ailing,at a discount,at a reduction,bad,below,below deck,below standard,below the mark,belowstairs,critically ill,down,down below,downstairs,faint,faintish,feeling awful,feeling faint,feeling something terrible,ill,in danger,indisposed,infra,laid low,mortally ill,not quite right,off,off-color,out of sorts,rocky,seedy,sick,sick unto death,sickish,substandard,taken ill,under,under the weather,underfoot,unwell 2188 - below the mark,amiss,astray,at a disadvantage,at the nadir,below,below deck,below par,below standard,belowstairs,beside the mark,beside the point,bootlessly,down below,downstairs,far from it,fruitlessly,in the gutter,in vain,infra,least,least of all,less,off,short of,substandard,to no purpose,under,under par,underfoot,vainly 2189 - below,adown,at a disadvantage,at the nadir,behind,below deck,below par,below the mark,belowstairs,beneath,beneath the sky,down,down below,down south,downgrade,downhill,downline,downright,downstairs,downstream,downstreet,downtown,downward,downwards,downwith,following,hellishly,here,here below,in hell,in hellfire,in the gutter,in the world,infernally,infra,least,least of all,less,neath,next,on earth,short of,since,subordinate to,subsequent to,unbefitting,under,under heaven,under par,under the stars,under the sun,underfoot,underneath 2190 - belt,Appleton layer,F layer,Heaviside-Kennelly layer,Mystik tape,Scotch tape,Van Allen belt,adhesive tape,airspace,anklet,area,arm,armlet,baldric,band,bandage,bandolier,bang,bar,bash,baste,bastinado,bat,batten,bay,bayou,beat,beating,bed,bedding,begird,belabor,bellyband,belt,belt in,bend,biff,bight,bind,bind up,birch,blacksnake,blast,blow,boca,bonk,bop,brace,bracelet,breechclout,buffet,bullwhack,bullwhip,bundle,cane,cat,cellophane tape,cestus,chain,chemosphere,chop,cinch,cincture,cingulum,circle,circuit,clap,clip,clobber,cloth tape,clout,club,clump,coldcock,collar,collarband,confines,continental shelf,corridor,couche,country,course,cove,cowhide,crack,craze,creek,crop,cudgel,cummerbund,cut,dash,deal,deal a blow,deck,department,dhoti,diaper,dig,dint,district,division,do up,drub,drubbing,drumming,earring,ecliptic,encincture,encircle,engird,ensphere,environs,equator,estuary,euripus,fascia,fetch,fetch a blow,fillet,finger ring,fjord,flagellate,flagellum,flail,flog,floor,friction tape,frith,fusillade,fustigate,gallery,gird,girdle,girt,girth,give a whipping,give the stick,great circle,ground,gulf,gut,harbor,heartland,hit,hit a clip,hoop,horsewhip,inlet,ionosphere,isothermal region,jab,knock,knock cold,knock down,knock out,knout,kurbash,kyle,lace,land,lash,lath,lay on,layer,leash,ledge,let have it,level,lick,ligula,ligule,list,loch,loincloth,loinguard,loop,lower atmosphere,masking tape,measures,milieu,moocha,mouth,napkins,narrow,narrow seas,narrows,natural harbor,neckband,necklace,neighborhood,nose ring,offshore rights,outer atmosphere,overlayer,overstory,part,parts,paste,pelt,perimeter,photosphere,pistol-whip,place,plank,plastic tape,plunk,poke,pommel,pound,precincts,premises,pummel,punch,purlieus,put across,put over,quarter,quirt,quoit,rap,rawhide,razor strap,reach,region,ribband,ribbon,ring,road,roads,roadstead,rope,salient,sash,scourge,seam,section,shelf,shred,sjambok,slam,slat,slip,slog,slug,smack,smash,smite,snap,soak,sock,soil,sound,space,spank,spill,splice,spline,stage,step,story,strait,straits,strake,strap,stratosphere,stratum,streak,streaking,stretch,stria,striation,striature,striga,strike,strike at,striola,strip,stripe,striping,stroke,strop,substratosphere,substratum,superstratum,swaddle,swat,swath,swathe,swing,swinge,swipe,switch,taenia,tape,tape measure,tapeline,tattoo,terrain,territory,thickness,thong,thrash,three-mile limit,thump,thwack,ticker tape,tie,tie up,tier,topsoil,tract,tropopause,troposphere,trounce,truncheon,truss,twelve-mile limit,twine around,underlayer,understory,understratum,upper atmosphere,vicinage,vicinity,waist belt,waistband,waistcloth,wallop,whack,whale,wham,whip,whiplash,whop,wire,wrap,wrap up,wreathe,wreathe around,wristband,wristlet,yerk,zodiac,zone 2191 - belvedere,Havana,Texas tower,alcove,beacon,bleachers,box of cigars,bridge,cheroot,cigar,cigar box,cigar case,cigar cutter,cigarillo,colorado,conning tower,corona,gallery,gazebo,grandstand,humidor,lighthouse,lookout,loophole,observation post,observatory,outlook,overlook,pagoda,peanut gallery,peephole,pharos,ringside,ringside seat,rope,sighthole,stinker,stogie,top gallery,tower,trichinopoly,watchtower 2192 - bemire,begrime,bemud,besmoke,bog,bog down,dirt,dirty,dirty up,dust,grime,mire,muck,muck up,muddy,sink in,slime,smoke,soot,stodge 2193 - bemoan,be sorry for,bewail,complain,deplore,dirge,elegize,give sorrow words,grieve,grieve for,keen,knell,lament,moan,mourn,regret,repine,rue,rue the day,sigh,sing the blues,sorrow,weep,weep for,weep over 2194 - bemused,absent,absentminded,absorbed,abstracted,addled,beery,besotted,blind drunk,castle-building,crapulent,crapulous,daydreaming,daydreamy,distrait,dizzy,dreaming,dreamy,drenched,drowsing,drunk,drunken,ecstatic,elsewhere,engrossed,far-gone,faraway,flustered,fou,full,gay,giddy,glorious,half-awake,happy,in a reverie,in liquor,in the clouds,inebriate,inebriated,inebrious,intoxicated,jolly,lost,lost in thought,maudlin,meditative,mellow,merry,mooning,moonraking,muddled,museful,musing,napping,nappy,nodding,oblivious,pensive,pipe-dreaming,preoccupied,rapt,reeling,shikker,sodden,somewhere else,sotted,stargazing,taken up,tiddly,tipsy,transported,unconscious,under the influence,woolgathering,wrapped in thought 2195 - bench mark,abode,area,bearings,bookmark,cairn,cardinal point,catstone,chief thing,climax,core,cornerstone,crisis,critical point,crux,district,emplacement,essence,essential,essential matter,fundamental,gist,gravamen,great point,heart,high point,hole,important thing,issue,kernel,keystone,landmark,latitude and longitude,lieu,lighthouse,lightship,locale,locality,location,locus,main point,main thing,mark,marker,material point,meat,menhir,milepost,milestone,monument,nub,pharos,pinpoint,pith,pivot,place,placement,platform,point,position,real issue,region,salient point,seamark,sine qua non,site,situation,situs,spot,stead,substance,substantive point,the bottom line,the point,tower,turning point,watchtower,whereabout,whereabouts 2196 - bench,British Cabinet,Sanhedrin,US Cabinet,advisory body,agency,ambo,assembly,association,atelier,bar,barbershop,beauty parlor,beauty shop,board,body of advisers,borough council,brain trust,buffet,butcher shop,cabinet,camarilla,chair,chamber,city council,common council,company,concern,conference,congress,consultative assembly,corporation,council,council fire,council of ministers,council of state,council of war,counter,county council,court,curule chair,dais,deliberative assembly,desk,diet,directory,divan,escritoire,establishment,facility,firm,helm,house,installation,institution,judgment seat,junta,kitchen cabinet,lectern,legislature,loft,mercy seat,mesa,organization,parish council,parlor,plateau,privy council,saddle,seat,seat of justice,seat of power,seat of state,secretaire,secretary,shop,soviet,staff,stand,studio,sweatshop,syndicate,synod,table,table mountain,tableland,tribunal,woolsack,work site,work space,workbench,workhouse,working space,workplace,workroom,workshop,worktable,writing table 2197 - bend over backwards,be careful,be cautious,be fair,be just,do justice to,exercise care,give and take,handle with gloves,have a care,lean over backwards,redress a wrong,remedy an injustice,see justice done,shoot straight with,take care,take good care,take heed,take pains,take trouble,tread on eggs,treat gently 2198 - bend,L,S-curve,aberrancy,aberration,accommodate,accommodate with,accord,achievement,adapt,adapt to,adjust,adjust to,affect,agree with,aim,aim at,alerion,angle,angle off,animal charge,annulet,apex,apply,arc,arch,argent,armorial bearings,armory,arms,assimilate to,azure,band,bandage,bandeau,bar,bar sinister,baton,be guided by,bear off,bearings,beat down,belt,bend,bend back,bend sinister,bend the knee,bend the neck,bend to,bending,bending the knee,bent,bias,bifurcate,bifurcation,bight,billet,bind,bind up,blazon,blazonry,bob,bob a curtsy,bob down,bordure,bow,bow and scrape,bow down,bow the head,bow to,bowing,bowing and scraping,brace,branch,branch off,branching off,break,break down,bring low,bring to terms,broad arrow,buckle,buckle down,bundle,cadency mark,cant,canton,cave,chain,change the bearing,channel,chaplet,charge,chevron,chief,chime in with,cinch,circuitousness,coat of arms,cockatrice,coin,collapse,color,comply,comply with,compose,conduce,conflexure,conform,conquer,contort,contribute,corner,coronet,correct,correspond,cower,crank,crescent,crest,cringe,cringe to,crook,cross,cross moline,crotchet,crouch,crouch before,crown,crumple,crush,curl,curtsy,curvation,curvature,curve,declination,decurve,deflect,deflection,depart from,departure,determine,detour,deviance,deviancy,deviate,deviation,device,deviousness,devote,diagonal,difference,differencing,diffract,diffuse,digress,digression,dipping the colors,direct,directionize,discipline,discursion,disperse,dispose,distort,divagate,divagation,divaricate,divarication,diverge,divergence,diversion,divert,do homage,do obeisance,do up,dogleg,dome,double,drift,drifting,duck,eagle,elbow,ell,embow,ermine,ermines,erminites,erminois,errantry,escutcheon,excursion,excursus,exorbitation,falcon,fall down before,fall in with,fell,fess,fess point,field,file,fit,fix,fix on,flanch,flatten,flection,fleur-de-lis,flex,flexure,focus,fold up,follow,fork,fret,fur,furcate,furcation,fusil,garland,geanticline,gear to,genuflect,genuflection,geosyncline,get down,gird,girdle,girt,girth,give,give way,gnarl,go,go by,griffin,grovel,gules,gyron,hairpin,hairpin turn,harmonize,hatchment,have a tendency,head,heel,helmet,heraldic device,hold on,homage,honor point,hook,humble,humiliate,hump,hunch,hunch down,impalement,impaling,inclination,incline,incurvate,incurve,indirection,induce,inescutcheon,inflect,inflection,influence,jaundice,knee,kneel,kneel to,kneeling,knot,knuckle to,kowtow,label,lace,lash,lead,lean,leash,level at,lion,look to,loop,lozenge,lurch,make a leg,make a reverence,make conform,make obeisance,making a leg,mantling,marshaling,martlet,mascle,master,meander,meet,metal,mold,motto,move,mullet,nod,nombril point,nook,obeisance,oblique,oblique angle,oblique figure,oblique line,obliquity,obsequiousness,observe,octofoil,or,ordinary,orle,overmaster,override,overwhelm,oxbow,pale,paly,pean,pererration,persuade,pheon,point,point at,point to,predispose,prejudice,prejudice against,prejudice the issue,prepossess,present,presenting arms,prompt,prostrate,prostration,pull,purpure,put down,quarter,quartering,quell,quoin,rambling,reconcile,rectify,recurve,redound to,reduce,reflect,reflection,reflex,refract,relax,relent,retroflex,reverence,rhomboid,ride down,rope,rose,round,rub off corners,sable,sag,salaam,saltire,salutation,salute,scatter,scrape,scratch comma,screw,scrouch down,scutcheon,separatrix,serve,servility,set,set toward,settle,shape,sheer,shield,shift,shifting,shifting course,shifting path,show a tendency,sight on,skew,slant,slash,slue,smash,soften up,solidus,splice,spread eagle,spring,squat,standing at attention,steer,stoop,straighten,strap,straying,subdue,subjugate,submission,submissiveness,submit,subordinary,suit,supination,suppress,swaddle,swag,swathe,sway,sweep,swerve,swerving,swinging,tack,tally with,tend,tenne,throw,tie,tie up,tincture,tinge,tone,torse,train,train upon,trample down,trample underfoot,transverse,tread underfoot,trend,tressure,truckle to,truss,turn,turn aside,turn awry,turn upon,turning,twist,tyrannize,unbend,unicorn,unman,vair,vanquish,variation,vary,vault,veer,verge,vert,vertex,virgule,wallow,wandering,warp,wear down,weigh with,welter,wind,wire,work,work toward,wrap,wrap up,wreath,wrench,wrest,wring,writhe,yale,yaw,yield,zag,zig,zigzag 2199 - bendable,adaptable,bending,compliant,ductile,elastic,extensible,extensile,fabricable,facile,fictile,flexible,flexile,flexuous,formable,formative,giving,impressible,impressionable,like putty,limber,lissome,lithe,lithesome,malleable,moldable,plastic,pliable,pliant,receptive,responsive,sensitive,sequacious,shapable,springy,submissive,supple,susceptible,tractable,tractile,whippy,willowy,yielding 2200 - bender,bacchanal,bacchanalia,bacchanalian,bat,binge,booze,bout,brannigan,bum,bust,carousal,carouse,celebration,compotation,debauch,drinking bout,drunk,drunken carousal,escapade,fling,guzzle,jag,lark,orgy,ploy,potation,pub-crawl,randan,randy,revel,soak,spree,symposium,tear,toot,wassail,wingding 2201 - bends,Minamata disease,altitude sickness,anoxemia,anoxia,anoxic anoxia,anthrax,asteroids,aurora particles,black lung,blackout,caisson disease,chilblain,cosmic particles,cosmic ray bombardment,decompression sickness,frostbite,immersion foot,intergalactic matter,itai,jet lag,lead poisoning,mercury poisoning,meteor dust impacts,meteors,motion sickness,pneumoconiosis,radiation,radiation sickness,radionecrosis,red-out,space bullets,sunstroke,the bends,trench foot,weightlessness 2202 - beneath contempt,abhorrent,abominable,arrant,atrocious,awful,base,beastly,beggarly,below contempt,blameworthy,brutal,cheap,cheesy,common,contemptible,crude,crummy,deplorable,despicable,detestable,dire,disgusting,dreadful,egregious,enormous,execrable,fetid,filthy,flagrant,forbidding,foul,fulsome,gaudy,gimcracky,grievous,gross,hateful,heinous,horrible,horrid,ignoble,infamous,lamentable,loathsome,lousy,malodorous,mean,mephitic,meretricious,miasmal,miasmic,miserable,monstrous,nasty,nauseating,nefarious,noisome,notorious,noxious,objectionable,obnoxious,obscene,odious,offensive,outrageous,paltry,pathetic,pitiable,pitiful,poor,rank,rebarbative,regrettable,repellent,reprehensible,repugnant,repulsive,revolting,rotten,rubbishy,sad,scandalous,schlock,scrubby,scruffy,scummy,scurvy,scuzzy,shabby,shameful,shocking,shoddy,sickening,sordid,sorry,squalid,stinking,terrible,too bad,trashy,trumpery,two-for-a-cent,two-for-a-penny,twopenny,twopenny-halfpenny,unclean,valueless,vile,villainous,woeful,worst,worthless,wretched 2203 - beneath one,cheap,debasing,degrading,demeaning,deplorable,disgraceful,gutter,humiliating,humiliative,infra dig,infra indignitatem,opprobrious,outrageous,pitiful,sad,scandalous,shameful,shocking,sorry,too bad,unbecoming,unworthy of one 2204 - Benedict Arnold,Brutus,Judas,Judas Iscariot,Quisling,archtraitor,betrayer,cockatrice,conniver,conspirator,conspirer,double agent,double-crosser,double-dealer,informer,intrigant,intriguer,machinator,plotter,quisling,rat,schemer,serpent,snake,timeserver,traitor,treasonist,trimmer,turncoat 2205 - Benedictine,Augustinian,Augustinian Hermit,Austin Friar,Bernardine,Black Friar,Black Monk,Bonhomme,Brigittine,Capuchin,Carmelite,Carthusian,Cistercian,Cluniac,Conventual,Crossed Friar,Crutched Friar,Dominican,Franciscan,Friar Minor,Gilbertine,Gray Friar,Hospitaler,Jesuit,Loyolite,Marist,Maryknoll,Minorite,Observant,Oratorian,Premonstratensian,Recollect,Recollet,Redemptorist,Templar,Trappist,White Friar,begging hermit,preaching friar 2206 - benediction,OK,acknowledgment,advantage,approval,benedicite,benefit,benison,blessing,boon,cognizance,credit,crediting,favor,godsend,grace,hymn,invocation,paean,praise,prayer of thanks,recognition,thank offering,thank-you,thanks,thanksgiving 2207 - benefaction,act of grace,act of kindness,alms,beneficence,benefit,benevolence,benignity,blessing,boon,charity,contribution,courtesy,favor,good deed,good offices,good turn,grace,kind deed,kind offices,kindly act,kindness,labor of love,manna,mercy,mitzvah,obligation,offering,office,service,turn 2208 - beneficence,BOMFOG,Benthamism,Christian charity,Christian love,agape,alms,altruism,auspiciousness,benefaction,benevolence,benevolent disposition,benevolentness,benignancy,benignity,bigheartedness,brightness,brotherly love,caritas,charitableness,charity,cheerfulness,cheeriness,contribution,do-goodism,favorableness,flower power,fortunateness,generosity,giving,good auspices,good omen,goodwill,grace,greatheartedness,humanitarianism,largeheartedness,love,love of mankind,luckiness,offering,philanthropism,philanthropy,propitiousness,prosperousness,utilitarianism,welfarism,well-disposedness 2209 - beneficent,almsgiving,altruistic,amicable,benevolent,benign,benignant,bighearted,charitable,cooperative,eleemosynary,favorable,freehearted,friendly,generous,greathearted,humanitarian,kind,kindly,kindly-disposed,largehearted,neighborly,philanthropic,propitious,welfare,welfare statist,welfarist,well-affected,well-disposed,well-intentioned,well-meaning,well-meant 2210 - beneficial,advantageous,aidful,appropriate,auspicious,banausic,benevolent,benign,bon,bonny,bracing,braw,bueno,capital,cogent,commendable,commodious,conducive,constitutional,constructive,contributory,effective,efficacious,elegant,employable,estimable,excellent,expedient,fair,famous,favorable,fine,fitting,functional,furthersome,good,good for,goodly,grand,health-enhancing,health-preserving,healthful,healthy,helpful,hygeian,hygienic,invigorating,kind,laudable,nice,noble,of general utility,of help,of service,of use,pleasant,positive,practical,pragmatical,profitable,proper,refreshing,regal,remedial,royal,salubrious,salutary,sanitary,serviceable,skillful,sound,splendid,supportive,therapeutic,tonic,useful,utilitarian,valid,very good,virtuous,wholesome 2211 - beneficiary,allottee,almsman,almswoman,annuitant,assign,assignee,benefice-holder,cestui,cestui que trust,cestui que use,deedholder,devisee,donee,feoffee,feudatory,grantee,householder,incumbent,laird,landlady,landlord,legatary,legatee,lord,master,mesne,mesne lord,mistress,owner,patentee,pensionary,pensioner,proprietary,proprietor,proprietress,proprietrix,rentier,resident,residentiary,squire,stipendiary,titleholder 2212 - benefit,abet,absolute interest,account,act of grace,act of kindness,advance,advantage,aid,allowances,ameliorate,answer,assist,assistance,avail,bail out,be handy,be of use,be right,bear a hand,befit,befitting,befriend,behalf,behoof,benediction,benefaction,benefits,benevolence,benignity,benison,bestead,better,bill,blessing,boon,break no bones,build,claim,comfort,common,confer a benefit,contingent interest,contribute to,convenience,courtesy,debut,do,do a favor,do a kindness,do good,do no harm,do the trick,doctor,ease,easement,entertainment,equitable interest,equity,estate,exhibit,exhibition,farewell performance,favor,fill the bill,fit,flesh show,forward,further,gain,give a boost,give a hand,give a lift,give good returns,give help,godsend,good,good deed,good offices,good turn,grace,help,holding,improve,interest,kind deed,kind offices,kindly act,kindness,labor of love,lend a hand,lend one aid,limitation,manna,mercy,ministration,ministry,mitzvah,not come amiss,obligation,office,offices,part,pay,pay off,percentage,performance,perks,perquisites,point,premiere,presentation,presentment,production,proffer aid,profit,promote,prosperity,protect,protection,rally,reclaim,redeem,relief,relieve,remedy,render a service,render assistance,rescue,restore,resuscitate,revive,right,right of entry,sake,save,serve,serve the purpose,service,set up,settlement,show,stage presentation,stake,strict settlement,succor,suffice,suit the occasion,support,swan song,take in tow,theatrical performance,therapy,title,trust,tryout,turn,use,value,vested interest,welfare,well-being,work,work for,world of good,worth,yield a profit 2213 - benevolence,BOMFOG,Benthamism,Christian charity,Christian love,accommodatingness,act of grace,act of kindness,advantageousness,affability,agape,agreeableness,altruism,amiability,amity,auspiciousness,benefaction,beneficence,beneficialness,benefit,benevolent disposition,benevolentness,benignancy,benignity,bigheartedness,blessing,boon,brightness,brotherly love,caritas,charitableness,charity,cheerfulness,cheeriness,class,clemency,cogency,comity,commiseration,compassion,complaisance,compliance,compliment,condolence,condonation,contribution,courtesy,decency,desert,disregard,do-goodism,donation,excellence,expedience,fairness,favor,favorableness,feeling,fineness,first-rateness,flower power,forbearance,forgiveness,forgivingness,fortunateness,friendliness,friendship,generosity,generousness,gift,giving,good auspices,good deed,good offices,good omen,good turn,goodliness,goodness,goodwill,grace,graciosity,graciousness,grant,greatheartedness,healthiness,helpfulness,humanitarianism,humanity,indulgence,kind deed,kind offices,kindliness,kindly act,kindness,labor of love,largeheartedness,largess,leniency,long-suffering,longanimity,love,love of mankind,luckiness,magnanimity,manna,mercy,merit,mitigation,mitzvah,niceness,obligation,obligingness,office,overlooking,pardon,pathos,patience,philanthropism,philanthropy,pity,pleasantness,present,profitableness,propitiousness,prosperousness,quality,quarter,relief,reprieve,rewardingness,ruth,self-pity,service,skillfulness,soundness,superiority,sympathy,tolerance,turn,unrevengefulness,unselfishness,usefulness,utilitarianism,validity,value,virtue,virtuousness,welfarism,well-disposedness,wholeness,worth 2214 - benevolent,accommodating,advantageous,affable,agreeable,almsgiving,altruistic,amiable,amicable,auspicious,beneficent,beneficial,benign,benignant,big,bighearted,bon,bonny,braw,bueno,capital,caring,charitable,chivalrous,cogent,commendable,compassionate,complaisant,compliant,conciliatory,considerate,cooperative,decent,eleemosynary,elegant,estimable,excellent,expedient,fair,famous,favorable,fine,forbearing,forgiving,freehearted,friendly,generous,good,goodly,gracious,grand,greathearted,healthy,helpful,humane,humanitarian,indulgent,kind,kindly,kindly-disposed,largehearted,laudable,liberal,lofty,long-suffering,longanimous,magnanimous,neighborly,nice,noble,obliging,open-handed,openhanded,overindulgent,overpermissive,patient,permissive,philanthropic,placable,pleasant,profitable,propitious,public-spirited,regal,royal,salutary,skillful,sound,sparing,splendid,sympathetic,tenderhearted,thoughtful,tolerant,unresentful,unrevengeful,useful,valid,very good,virtuous,warm-hearted,welfare,welfare statist,welfarist,well-affected,well-disposed,well-intentioned,well-meaning,well-meant 2215 - benighted,ableptical,amaurotic,backward,bereft of light,blind,color-blind,dark,dim-sighted,empty-headed,eyeless,hemeralopic,ignorant,illiterate,in darkness,in the dark,know-nothing,mind-blind,naive,night-overtaken,nyctalopic,rayless,sightless,spiritually blind,stark blind,stone-blind,undiscerning,uneducated,unenlightened,uninformed,uninstructed,unlettered,unobserving,unperceiving,unprogressive,unschooled,unseeing,untaught,untutored,visionless 2216 - benign,Christian,Christlike,Christly,accommodating,affable,affectionate,agreeable,amiable,amicable,auspicious,beneficent,beneficial,benevolent,benignant,bland,bracing,bright,brotherly,charitable,clement,compassionate,complaisant,compliant,congenial,constitutional,cooperative,cordial,curable,decent,dexter,fair,favorable,favoring,forbearing,fortunate,fraternal,friendly,full of promise,generous,genial,gentle,golden,good,good for,good-hearted,gracious,happy,harmless,health-enhancing,health-preserving,healthful,healthy,human,humane,hygeian,hygienic,indulgent,innocent,innocuous,inoffensive,invigorating,kind,kindhearted,kindly,kindly-disposed,loving,lucky,merciful,mild,neighborly,nice,nonmalignant,nonpoisonous,nontoxic,nonvirulent,obliging,of good omen,of happy portent,of promise,overindulgent,overpermissive,permissive,promising,propitious,prosperous,refreshing,salubrious,salutary,sanitary,softhearted,sympathetic,sympathizing,tender,tenderhearted,tonic,undamaging,unhurtful,uninjurious,unobnoxious,warm,warm-hearted,warmhearted,well-affected,well-disposed,well-intentioned,well-meaning,well-meant,white,wholesome 2217 - benignity,accommodatingness,act of grace,act of kindness,advantageousness,affability,affectionateness,agreeableness,amiability,auspiciousness,benefaction,beneficence,beneficialness,benefit,benevolence,benignancy,blessing,brightness,brotherhood,cheerfulness,cheeriness,class,cogency,compassion,complaisance,compliance,courtesy,decency,desert,excellence,expedience,fairness,favor,favorableness,feeling of kinship,fellow feeling,fineness,first-rateness,fortunateness,fraternal feeling,generousness,good auspices,good deed,good offices,good omen,good turn,goodliness,goodness,goodness of heart,grace,graciosity,graciousness,harmlessness,healthiness,heart of gold,helpfulness,humaneness,humanity,hurtlessness,innocence,innocuousness,inoffensiveness,kind deed,kind offices,kindheartedness,kindliness,kindly act,kindly disposition,kindness,labor of love,loving kindness,luckiness,mercy,merit,mitzvah,niceness,obligation,obligingness,office,pleasantness,profitableness,propitiousness,prosperousness,quality,rewardingness,service,skillfulness,softheartedness,soul of kindness,soundness,superiority,sympathy,tenderheartedness,turn,uninjuriousness,unobnoxiousness,usefulness,validity,value,virtue,virtuousness,warmheartedness,warmth,warmth of heart,wholeness,worth 2218 - bent on,aching for,crazy to,dead set on,decided upon,desirous of,determined upon,dying for,dying to,fain of,fixed upon,fond of,hell-bent on,inclined toward,intent upon,itching for,keen on,leaning toward,mad on,partial to,resolved upon,set on,settled upon,sot on,spoiling for,wild to 2219 - bent,V-shaped,Y-shaped,a thing for,ability,abnormal,affinity,afflicted,aim,akimbo,an ear for,an eye for,anamorphous,angular,animus,apt,aptitude,aptness,arched,arciform,askew,asymmetric,awry,azimuth,bag,bearing,bend,bias,billowing,billowy,boiled,bombed,boozy,bowed,canned,capacity for,cast,character,chosen kind,cockeyed,cockeyed drunk,conatus,conduciveness,constitution,contorted,cornered,corrupt,corrupted,course,crazy,crocked,crocko,crook,crooked,crotched,crumpled,crunched,cup of tea,current,curvaceous,curvate,curvated,curve,curved,curvesome,curviform,curvilineal,curvilinear,curving,curvy,decided,decisive,deflected,delight,determined,deviant,deviative,diathesis,direction,direction line,dishonest,disposed,disposition,dispositioned,distorted,drift,druthers,eagerness,eccentricity,elevated,faculty,fancy,fascination,favor,favoritism,feeling for,felicity,flair,forejudgment,forked,fried,fuddled,furcal,furcate,geniculate,geniculated,genius,genius for,geosynclinal,gift,gift for,given,grain,half-seas over,head,heading,helmsmanship,high,hooked,idiosyncrasy,illegal,illuminated,in the mood,inclination,inclined,inclining,incurvate,incurvated,incurved,incurving,individualism,innate aptitude,intent,irregular,jagged,jaundice,jaundiced eye,kidney,knack,knee-shaped,labyrinthine,lay,leaning,liability,lie,likely,liking,line,line of direction,line of march,lit,lit up,loaded,lopsided,lubricated,lurch,lushy,make,makeup,mazy,meandering,mental set,mettle,mind,mind-set,minded,mold,mutual affinity,mutual attraction,muzzy,nature,navigation,nonsymmetric,nose,oiled,one-sided,one-sidedness,organized,orientation,partialism,partiality,particular choice,partisanship,peculiar,penchant,personal choice,perverse,perverted,pickled,pie-eyed,piloting,pissed,pissy-eyed,plastered,point,pointed,polluted,potted,preconception,predilection,predisposed,predisposition,preference,prejudgment,prejudice,prepossession,probability,proclivity,prone,proneness,propensity,quarter,raddled,range,readiness,recurvate,recurvated,recurved,recurving,resolute,resolved,round,rounded,run,saw-toothed,sawtooth,sensitivity to,serpentine,serrate,set,settled,sharp,sharp-cornered,sheer,shellacked,sinuous,skew,skunk-drunk,slant,slue,smashed,soaked,soft spot,soused,sprung,squiffy,stamp,steerage,steering,stewed,stinko,strain,strange,streak,stripe,style,susceptibility,swacked,swerve,sympathy,talent,tanked,taste,temper,temperament,tendency,tenor,thing,tight,tortuous,track,trend,tropism,turn,turn for,turn of mind,twist,twisted,type,undetachment,undispassionateness,undulant,unsymmetric,veer,warp,warped,wavy,way,weakness,weird,willingness,wry,zigzag 2220 - benthos,Bassalia,Loch Ness monster,abyss,abyssal zone,alevin,bathyal zone,benthon,bottom waters,bottomless depths,cetacean,dolphin,fingerling,fish,fry,game fish,grilse,ground,inner space,kipper,man-eater,man-eating shark,marine animal,minnow,minny,nekton,ocean bottom,ocean depths,ocean floor,panfish,pelagic zone,plankton,porpoise,salmon,sea monster,sea pig,sea serpent,sea snake,shark,smolt,sponge,the deep,the deep sea,the deeps,the depths,trench,tropical fish,whale 2221 - benumb,KO,abate,allay,alleviate,anesthetize,appease,assuage,bedaze,bemuse,besot,bite,blunt,chill,chloroform,coldcock,cushion,cut,deaden,deaden the pain,desensitize,diminish,dope,drug,dull,ease,ease matters,etherize,foment,freeze,frost,frostbite,give relief,go through,kayo,knock out,knock senseless,knock stiff,knock unconscious,lay,lay out,lessen,lull,mitigate,mollify,mull,narcotize,nip,numb,obtund,pad,palliate,palsy,paralyze,penetrate,petrify,pierce,poultice,pour balm into,pour oil on,put to sleep,reduce,refrigerate,relieve,salve,slacken,slake,soften,soothe,stun,stupe,stupefy,subdue 2222 - benumbed,Laodicean,Olympian,aloof,anesthetized,apathetic,asleep,blah,blase,bored,callous,comatose,dead,deadened,debilitated,desensitized,detached,disinterested,dopey,dormant,droopy,drugged,dull,enervated,exanimate,heartless,heavy,hebetudinous,hopeless,impassible,imperceptive,impercipient,in a stupor,inanimate,indifferent,inert,insensate,insensible,insensitive,insentient,insouciant,jaded,lackadaisical,languid,languorous,leaden,lethargic,lifeless,listless,lumpish,moribund,nonchalant,numb,numbed,obdurate,obtuse,passive,phlegmatic,pluckless,pooped,resigned,sated,senseless,slack,sleepy,slow,sluggish,somnolent,soporific,spiritless,spunkless,stagnant,stagnating,stoic,stultified,stupefied,supine,thick-skinned,thick-witted,torpid,uncaring,unconcerned,unfeeling,unfelt,uninterested,unperceptive,vegetable,vegetative,wan,weary,withdrawn,world-weary 2223 - Benzedrine,Benzedrine pill,C,Dexamyl,Dexamyl pill,Dexedrine,Dexedrine pill,Methedrine,amphetamine,amphetamine sulfate,cocaine,coke,crystal,dextroamphetamine sulfate,football,heart,jolly bean,methamphetamine hydrochloride,pep pill,purple heart,snow,speed,stimulant,upper 2224 - benzine,alcohol,briquette,burnable,butane,carbon,charcoal,coal,coal oil,coke,combustible,dope,electricity,ethane,ethanol,fireball,firing,flammable,flammable material,fuel,fuel additive,fuel dope,gas,gas carbon,gasoline,heptane,hexane,illuminant,illuminating gas,inflammable,inflammable material,isooctane,jet fuel,kerosene,light source,luminant,methane,methanol,natural gas,octane,oil,paraffin,peat,pentane,petrol,petroleum,propane,propellant,rocket fuel,turf 2225 - bequeath,abalienate,add a codicil,alien,alienate,amortize,assign,barter,cede,confer,consign,convey,deed,deed over,deliver,demise,devise,devolve upon,enfeoff,entail,exchange,execute a will,give,give title to,hand,hand down,hand on,hand over,leave,legate,make a bequest,make a will,make over,negotiate,pass,pass on,pass over,sell,settle,settle on,sign away,sign over,surrender,trade,transfer,transmit,turn over,will,will and bequeath,will to 2226 - bequeathal,abalienation,alienation,amortization,amortizement,assignation,assignment,attested copy,bargain and sale,barter,bequest,birthright,borough-English,cession,codicil,coheirship,conferment,conferral,consignation,consignment,conveyance,conveyancing,coparcenary,deeding,deliverance,delivery,demise,devise,disposal,disposition,enfeoffment,entail,exchange,gavelkind,giving,heirloom,heirship,hereditament,heritable,heritage,heritance,incorporeal hereditament,inheritance,law of succession,lease and release,legacy,line of succession,mode of succession,patrimony,postremogeniture,primogeniture,probate,reversion,sale,settlement,settling,succession,surrender,testament,trading,transfer,transference,transmission,transmittal,ultimogeniture,vesting,will 2227 - bequest,attested copy,bequeathal,birthright,borough-English,codicil,coheirship,coparcenary,devise,entail,gavelkind,heirloom,heirship,hereditament,heritable,heritage,heritance,incorporeal hereditament,inheritance,law of succession,legacy,line of succession,mode of succession,patrimony,postremogeniture,primogeniture,probate,reversion,succession,testament,ultimogeniture,will 2228 - berate,abuse,bark at,bawl out,betongue,blacken,castigate,chew out,chide,excoriate,execrate,fulminate against,harangue,jaw,load with reproaches,objurgate,rag,rail,rail at,rate,rave against,revile,scold,thunder against,tongue-lash,upbraid,vilify,vituperate,yell at,yelp at 2229 - berating,abuse,assailing,assault,attack,bitter words,blackening,contumely,diatribe,execration,hard words,invective,jawing,jeremiad,onslaught,philippic,rating,revilement,screed,tirade,tongue-lashing,vilification,vituperation 2230 - bereave,abridge,bleed,curtail,cut off,deprive,deprive of,disentitle,disinherit,dispossess,divest,drain,ease one of,leave,leave behind,lighten one of,lose,milk,mine,orphan,oust,rob,strip,take away from,take from,tap,widow 2231 - bereaved,beggared,beggarly,bereaved of,bereft,cut off,denuded,deprived,deprived of,disadvantaged,distressed,divested,fatherless,fleeced,ghettoized,impoverished,in need,in rags,in want,indigent,lacking,mendicant,minus,motherless,necessitous,needy,on relief,orphan,orphaned,out at elbows,out of,parentless,parted from,pauperized,poverty-stricken,robbed of,shorn of,sorrowing,starveling,stripped,stripped of,underprivileged,wanting,widowed 2232 - bereavement,abridgment,cost,curtailment,damage,dead loss,debit,denial,denudation,deprivation,deprivement,despoilment,destruction,detriment,disburdening,disburdenment,disentitlement,dispossession,divestment,expense,forfeit,forfeiture,injury,loser,losing,losing streak,loss,perdition,privation,relieving,robbery,ruin,sacrifice,spoliation,stripping,taking away,total loss 2233 - bereft,bankrupt in,bare of,beggared,beggarly,bereaved,bereaved of,bereft of,cut off,denuded,denuded of,deprived,deprived of,destitute of,devoid of,disadvantaged,divested,empty of,fatherless,fleeced,for want of,forlorn of,ghettoized,impoverished,in default of,in need,in rags,in want,in want of,indigent,lacking,mendicant,minus,missing,motherless,necessitous,needing,needy,on relief,orphan,orphaned,out at elbows,out of,out of pocket,parentless,parted from,pauperized,poverty-stricken,robbed of,scant of,shorn of,short,short of,shy,shy of,starveling,stripped,stripped of,unblessed with,underprivileged,unpossessed of,void of,wanting,widowed 2234 - berg,Dry Ice,calf,cryosphere,firn,floe,frazil,frozen water,glaciation,glacier,glacieret,glaze,glazed frost,granular snow,ground ice,growler,ice,ice banner,ice barrier,ice belt,ice cave,ice cubes,ice dike,ice field,ice floe,ice foot,ice front,ice island,ice needle,ice pack,ice pinnacle,ice raft,ice sheet,iceberg,icefall,icequake,icicle,jokul,lolly,neve,nieve penitente,pack ice,serac,shelf ice,sleet,slob,sludge,snow ice,snowberg 2235 - beribbon,bead,bejewel,bespangle,diamond,engrave,feather,figure,filigree,flag,flounce,flower,garland,gem,illuminate,jewel,paint,plume,ribbon,spangle,tinsel,wreathe 2236 - beribboned,adorned,beaded,bedecked,bedizened,befrilled,bejeweled,bespangled,decked out,decorated,embellished,feathered,festooned,figured,flowered,garnished,jeweled,ornamented,plumed,spangled,spangly,studded,tricked out,trimmed,wreathed 2237 - beriberi,Lombardy leprosy,anemia,ariboflavinosis,cachexia,chlorosis,deficiency anemia,dermatitis,goiter,greensickness,keratomalacia,kwashiorkor,maidism,malnutrition,night blindness,osteomalacia,osteoporosis,pellagra,pernicious anemia,protein deficiency,rachitis,rickets,scurvy,struma,vitamin deficiency,xerophthalmia 2238 - berm,alameda,bank,beach,beaten path,beaten track,bicycle path,boardwalk,bridle path,catwalk,coast,coastland,coastline,embankment,esplanade,fastwalk,foot pavement,footpath,footway,foreshore,garden path,groove,hiking trail,ironbound coast,lido,littoral,mall,parade,path,pathway,plage,playa,prado,promenade,public walk,riverside,riviera,rockbound coast,run,runway,rut,sands,sea margin,seabank,seabeach,seaboard,seacliff,seacoast,seashore,seaside,shingle,shore,shoreline,sidewalk,strand,submerged coast,tidewater,towing path,towpath,track,trail,trottoir,walk,walkway,waterfront,waterside 2239 - berry,Catawba,Persian melon,Valencia orange,acorn,akee,alligator pear,ananas,apple,apricot,avocado,banana,bearberry,bilberry,bird seed,blackberry,cacao,candleberry,canistel,cantaloupe,capulin,casaba,checkerberry,cherimoya,cherry,citrange,citron,citrus,citrus fruit,civet fruit,crab apple,cranberry,currant,custard apple,damson,date,dewberry,elderberry,feijoa,fig,flaxseed,fruit,gooseberry,grain,grape,grapefruit,guanabana,guava,hayseed,honeydew,huckleberry,icaco,ilama,imbu,jaboticaba,jackfruit,jujube,kernel,kumquat,lemon,lime,lingonberry,linseed,litchi,loganberry,loquat,mammee apple,mandarin orange,mango,mangosteen,manzanilla,marang,mayapple,medlar,melon,mulberry,muscadine,muscat,muscatel,muskmelon,navel orange,nectarine,nut,nutmeg melon,olive,orange,papaw,papaya,passion fruit,peach,pear,persimmon,pineapple,pip,pippin,pit,plantain,plum,plumcot,pomegranate,prune,quince,raisin,rambutan,raspberry,red currant,seed,stone,strawberry,sugar apple,sugarplum,sweetsop,tangelo,tangerine,ugli fruit 2240 - berserk,Dionysiac,abandoned,amok,bacchic,bellowing,carried away,corybantic,crazed,delirious,demoniac,desperate,distracted,ecstatic,enraptured,feral,ferocious,fierce,frantic,frenetic,frenzied,fulminating,furious,haggard,hog-wild,howling,hysterical,in a transport,in hysterics,intoxicated,like one possessed,mad,madding,maenadic,maniac,maniacal,orgasmic,orgiastic,possessed,rabid,raging,ramping,ranting,raving,raving mad,ravished,roaring,running mad,running wild,stark-raving mad,storming,transported,uncontrollable,violent,wild,wild-eyed,wild-looking 2241 - berth,abide,accommodations,anchor,anchorage,anchorage ground,appointment,basin,bed,billet,breakwater,bulkhead,bunk,cohabit,connection,diggings,digs,dock,dockage,dockyard,domicile,domiciliate,doss down,dry dock,dwell,embankment,employment,engagement,gig,groin,hang out,harbor,harborage,haven,hook,house,housing,incumbency,inhabit,jetty,job,jutty,landing,landing place,landing stage,levee,live,living quarters,lob,lodge,lodging,lodgings,lodgment,marina,mole,moonlighting,mooring,mooring buoy,moorings,mudhook,nest,occupy,office,opening,perch,pier,place,port,position,post,protected anchorage,put up,quarter,quarters,quay,remain,reside,road,roads,roadstead,room,rooms,roost,seaport,seawall,second job,service,shelter,shipyard,situation,sleeping place,slip,spot,squat,stable,station,stay,tenant,tenure,vacancy,wharf 2242 - beseech,adjure,appeal,appeal to,beg,call for help,call on,call upon,clamor for,commune with God,conjure,crave,cry for,cry on,cry to,entreat,give thanks,impetrate,implore,importune,imprecate,invoke,kneel to,make supplication,obtest,offer a prayer,petition,plead,plead for,plead with,pray,pray over,recite the rosary,return thanks,run to,say grace,supplicate 2243 - beseechment,Angelus,Ave,Ave Maria,Hail Mary,Kyrie Eleison,Paternoster,adjuration,aid prayer,appeal,beadroll,beads,bid,bidding prayer,breviary,call,chaplet,clamor,collect,communion,contemplation,cry,devotions,entreaty,grace,impetration,imploration,imploring,imprecation,intercession,invocation,invocatory plea,litany,meditation,obsecration,obtestation,orison,petition,plea,prayer,prayer wheel,rogation,rosary,silent prayer,suit,supplication,thanks,thanksgiving 2244 - beset,abashed,afflict,afflicted,aggravate,agitated,ail,annoy,annoyed,anxious,apply pressure,assail,assault,attack,badger,badgered,bait,baited,barred,be at,be the matter,bedevil,bedeviled,beleaguer,beleaguered,besiege,besieged,blandish,blockade,blockaded,bother,bothered,bound,box in,bristle,brown off,bug,bugged,bullyrag,bullyragged,burn up,buttonhole,cabined,cage,caged,cajole,cast down,chagrined,chamber,chapfallen,chivied,chivy,circle,cloistered,close in,closed-in,coax,compass,compel,complicate matters,concern,confined,confused,contain,coop,coop in,coop up,cooped,cordon,cordon off,cordoned,cordoned off,corral,corralled,cramped,crawl with,creep with,cribbed,devil,deviled,discomfited,discomforted,discommode,discompose,discomposed,disconcerted,disquieted,distemper,distress,distressed,disturb,disturbed,dog,dogged,drive,dun,embarrassed,encircle,enclose,enclosed,encompass,enshrine,envelop,environ,exasperate,exercise,exert pressure,fall,fash,fence in,fenced,fret,fretted,gem,get,gird,girdle,grip,gripe,grubby,harass,harassed,harried,harry,haunt,haunted,heckle,heckled,hector,hectored,hedge in,hedged,hem,hem in,hemmed,hold,hound,hounded,house in,hung up,hunt,ill at ease,immured,impel,importune,impound,imprison,imprisoned,incarcerate,incarcerated,include,inconvenience,inconvenienced,infatuate,infest,infested,invade,invest,irk,irked,jail,jailed,jewel,kennel,lay siege to,leaguer,leaguered,lousy,mew,mew up,mewed,miff,molest,mortified,nag,nag at,needle,needled,nettle,nipped at,not let go,nudzh,obsess,oppress,out of countenance,overrun,overspread,overswarm,paled,pedicular,pediculous,peeve,pen,pen in,penned,pent-up,perplex,persecute,persecuted,perturb,perturbed,pester,pestered,pick on,picked on,pique,plague,plagued,pluck the beard,ply,pocket,possess,pother,preoccupy,press,pressure,provoke,pursue,push,put out,put to it,put-out,put-upon,puzzle,puzzled,quarantine,quarantined,ragged,rail in,railed,ratty,ravage,ravaged,restrained,ride,rile,ring,roil,ruffle,shrine,shut in,shut up,shut-in,soften up,sore beset,stable,storm,strike,surround,swarm,swarm with,tease,teased,teeming,torment,tormented,trouble,troubled,try the patience,tweak the nose,uncomfortable,uneasy,upset,urge,vex,vexed,victimize,wall in,walled,walled-in,wheedle,work on,wormy,worried,worried sick,worried stiff,worry,wrap,yard,yard up 2245 - besetting,annoying,average,backbreaking,common,crushing,current,dominant,epidemic,grueling,heavy,hefty,irksome,normal,onerous,oppressive,ordinary,painful,pandemic,plaguey,popular,predominant,predominating,prevailing,prevalent,rampant,regnant,reigning,rife,routine,ruling,running,standard,stereotyped,troublesome,trying,usual,vexatious 2246 - beside the point,adrift,amiss,astray,below the mark,beside the mark,beside the question,bootlessly,extraneous,extrinsic,far from it,fruitlessly,immaterial,impertinent,in vain,inadmissible,inapplicable,inapposite,inappropriate,incidental,inconsequent,irrelative,irrelevant,nihil ad rem,nonessential,not at issue,off the subject,out-of-the-way,parenthetical,to no purpose,unessential,vainly 2247 - beside,abeam,above,abreast,additionally,again,agitated,all included,along by,alongside,also,altogether,among other things,and all,and also,and so,apart from,as compared with,as well,aside,aside from,au reste,away from,bar,barring,besides,beyond,but,by,by comparison with,close to,compared with,crazy,else,en plus,ex,except,except for,excepting,excluding,exclusive of,extra,farther,for lagniappe,further,furthermore,hard by,in addition,in apposition,in comparison with,in conjunction,in juxtaposition,inter alia,into the bargain,item,leaving out,let alone,likewise,mad,more,moreover,near,nearby,next to,nigh,off,omitting,on the side,on top of,opposite,outside of,over,over against,over and above,overwrought,plus,precluding,round,save,save and except,saving,similarly,taken with,than,then,therewith,to boot,too,unless,upset,with,without,yet 2248 - besides,above and beyond,added,additionally,along,along with,also,apart from,as well,as well as,aside from,bar,barring,beside,beyond,but,else,except for,excepting,excluding,exclusive of,farther,further,furthermore,in addition,in addition to,into the bargain,likewise,more,moreover,new,not counting,other,other than,otherwise,outside of,over and above,save,then,to boot,together with,too,yet 2249 - besiege,apply pressure,assail,assault,attack,beleaguer,beset,blandish,block,block off,block up,blockade,bound,box in,bug,buttonhole,cage,cajole,chamber,close in,coax,compass,contain,coop,coop in,coop up,cordon,cordon off,corral,cut off,dun,encircle,enclose,encompass,enshrine,envelop,exert pressure,fence in,harass,harry,hedge in,hem in,house in,importune,impound,imprison,incarcerate,include,inundate,invest,jail,kennel,lay siege to,leaguer,mew,mew up,nag,nag at,overwhelm,pen,pen in,pester,petition,plague,ply,pocket,press,pressure,push,quarantine,rail in,shrine,shut in,shut up,soften up,stable,sue,surround,tease,trap,urge,wall in,wheedle,work on,wrap,yard,yard up 2250 - besmear,apply paint,attaint,bedaub,bedizen,begild,besmirch,besmoke,besmutch,besoil,bestain,black,blacken,blur,brand,brush on paint,butter,calcimine,coat,color,complexion,cover,dab,darken,daub,deep-dye,dip,dirty,discolor,distemper,double-dye,dye,emblazon,enamel,engild,face,fast-dye,fresco,gild,glaze,gloss,grain,hue,illuminate,imbue,ingrain,japan,lacquer,lay on,lay on color,mark,paint,parget,pigment,prime,scorch,sear,shade,shadow,shellac,singe,slap on,slather,slop on paint,slubber,slur,smear,smear on,smirch,smoke,smouch,smudge,smut,smutch,soil,spot,spread on,spread with,stain,stigmatize,stipple,sully,taint,tar,tarnish,tinct,tincture,tinge,tint,tone,undercoat,varnish,wash,whitewash 2251 - besmirch,attaint,bedarken,bedaub,besmear,besmoke,besmutch,besoil,bespatter,bestain,black,blacken,blackwash,blot,blotch,blur,brand,call names,charcoal,cork,darken,daub,defile,denigrate,dinge,dirty,discolor,ebonize,engage in personalities,heap dirt upon,ink,mark,melanize,muckrake,murk,nigrify,oversmoke,revile,scorch,sear,shade,shadow,singe,slubber,slur,smear,smirch,smoke,smouch,smudge,smut,smutch,soil,soot,spot,stain,stigmatize,sully,taint,tar,tarnish,throw mud at,vilify 2252 - besmirched,bedraggled,befouled,blackened,blotchy,darkened,defiled,dingy,dirtied,dirty,discolored,drabbled,draggled,fouled,foxed,foxy,fuliginous,grimy,impure,indecent,inky,maculate,muddy,murky,smirched,smoky,smudged,smudgy,smutty,soiled,sooty,spotted,stained,stigmatic,stigmatiferous,stigmatized,sullied,tainted,tarnished,unchaste,unclean,unvirginal,unvirtuous 2253 - besmoke,attaint,bedaub,begrime,bemire,bemud,besmear,besmirch,bestain,blacken,blur,brand,darken,daub,dirt,dirty,dirty up,discolor,dust,grime,mark,mire,muck,muck up,muddy,scorch,sear,singe,slime,slubber,slur,smear,smirch,smoke,soil,soot,stain,stigmatize,taint,tarnish 2254 - besot,KO,addle,anesthetize,bedaze,befuddle,bemuse,benumb,blunt,chloroform,coldcock,deaden,desensitize,dope,drug,dull,etherize,freeze,inebriate,intoxicate,kayo,knock out,knock senseless,knock stiff,knock unconscious,lay out,narcotize,numb,obtund,palsy,paralyze,put to sleep,stun,stupefy 2255 - besotted,addled,apish,asinine,batty,beery,befooled,beguiled,bemused,blind drunk,brainless,buffoonish,cockeyed,crapulent,crapulous,crazy,credulous,daffy,daft,dazed,dizzy,doting,dotty,drenched,drunk,drunken,dumb,enamored,far-gone,fatuitous,fatuous,fixated,flaky,flustered,fond,fool,foolheaded,foolish,fou,fuddled,full,futile,gaga,gay,giddy,glorious,goofy,gripped,gulled,happy,held,hung-up,idiotic,imbecile,in liquor,inane,inebriate,inebriated,inebrious,inept,infatuate,infatuated,insane,intoxicated,jolly,kooky,loony,mad,maudlin,mellow,merry,monomaniac,monomaniacal,moronic,muddled,nappy,nutty,obsessed,possessed,preoccupied,prepossessed,reeling,sappy,screwy,senseless,sentimental,shikker,silly,sodden,sotted,stupid,thoughtless,tiddly,tipsy,under the influence,wacky,wet,witless 2256 - bespangle,band,bar,bead,bejewel,beribbon,bespeckle,bespot,blotch,check,checker,dapple,diamond,dot,engrave,feather,figure,filigree,flag,flake,fleck,flounce,flower,freckle,garland,gem,glitter,harlequin,illuminate,iris,jewel,maculate,marble,marbleize,motley,mottle,paint,pepper,plume,polychrome,polychromize,rainbow,ribbon,spangle,speck,speckle,splotch,spot,sprinkle,stigmatize,stipple,streak,striate,stripe,stud,tattoo,tessellate,tinsel,variegate,vein,wreathe 2257 - bespangled,ablaze,adorned,aglow,alight,bathed with light,beaded,bedecked,bedizened,befrilled,bejeweled,beribboned,blotched,blotchy,brightened,candlelit,decked out,decorated,dotted,dotty,embellished,enlightened,feathered,festooned,figured,firelit,flea-bitten,flecked,fleckered,flowered,frecked,freckled,freckly,garnished,gaslit,illuminated,in a blaze,irradiate,irradiated,jeweled,lamplit,lanternlit,lighted,lightened,lit,lit up,luminous,macular,maculate,maculated,moonlit,ornamented,patchy,peppered,plumed,pocked,pockmarked,pocky,pointille,pointillistic,polka-dot,punctated,spangled,spangly,specked,speckled,speckledy,speckly,splotched,splotchy,spotted,spotty,sprinkled,star-spangled,star-studded,starlit,stippled,studded,sunlit,tinseled,tricked out,trimmed,wreathed 2258 - bespatter,asperge,asperse,attaint,bedabble,bedew,befoul,besmirch,bespot,besprinkle,blacken,blot,blow upon,brand,call names,censure,dabble,damp,dampen,dash,defame,defile,denigrate,dew,disapprove,disparage,douche,engage in personalities,expose,expose to infamy,gibbet,hang in effigy,heap dirt upon,hose,hose down,humect,humectate,humidify,irrigate,moisten,muckrake,paddle,pillory,reprimand,revile,slander,slobber,slop,slosh,slur,smear,smirch,soil,sparge,spatter,splash,splatter,splotch,sponge,spot,spray,sprinkle,stain,stigmatize,sully,swash,syringe,taint,tarnish,throw mud at,traduce,vilify,water,wet,wet down 2259 - bespeak,accost,address,announce,apostrophize,appeal to,apply for,apply to,approach,approve,argue,ask,ask for,attest,be construed as,be indicative of,be significant of,be symptomatic of,beg leave,betoken,book,breathe,brief,buttonhole,call for,call to,characterize,connote,crave,demand,demonstrate,denominate,denote,desire,differentiate,disclose,display,employ,engage,entail,evidence,evince,exhibit,express,file for,furnish evidence,give evidence,give indication of,give token,go to show,greet,hail,halloo,highlight,hint,hire,identify,illustrate,imply,import,indent,indicate,invoke,involve,make a request,make a requisition,make application,manifest,mark,mean,memorialize,note,order,point to,preengage,put in for,recruit,refer to,request,requisition,reserve,retain,reveal,salute,set forth,show,show signs of,sign on,sign up,sign up for,signalize,signify,solicit,speak,speak fair,speak for itself,speak to,speak volumes,spell,stand for,suggest,symbolize,symptomatize,symptomize,take aside,take into employment,take on,talk to,tell,tend to show,testify,whistle for,wish,witness 2260 - bespeckle,band,bar,bespangle,bespot,blot,blotch,check,checker,dapple,dot,flake,fleck,flyspeck,freckle,harlequin,iris,maculate,marble,marbleize,motley,mottle,pepper,polychrome,polychromize,rainbow,spangle,spatter,speck,speckle,splash,splatter,splotch,spot,sprinkle,stigmatize,stipple,streak,striate,stripe,stud,tattoo,tessellate,variegate,vein 2261 - best man,acolyte,adjutant,agent,aid,aide,aide-de-camp,aider,assistant,attendant,auxiliary,bridemaiden,bridesmaid,bridesman,coadjutant,coadjutor,coadjutress,coadjutrix,deputy,executive officer,groomsman,help,helper,helpmate,helpmeet,lieutenant,matron of honor,paranymph,paraprofessional,second,servant,sideman,supporting actor,supporting instrumentalist,usher,wedding attendant,wedding party 2262 - best seller,big hit,book,bound book,brilliant success,classic,coloring book,definitive work,fad,folio,gas,gasser,great success,great work,hardback,hit,juvenile,juvenile book,killing,limp-cover book,magnum opus,meteoric success,momentary success,nonbook,notebook,novel,opus,opuscule,opusculum,paperback,picture book,playbook,pocket book,prayer book,production,psalmbook,psalter,publication,resounding triumph,riot,roaring success,sensation,serial,sketchbook,smash,smash hit,soft-cover,songbook,standard work,storybook,title,tome,trade book,triumph,volume,work,wow,writing 2263 - best wishes,best love,best regards,blessing,compliment,compliments,congratulation,devoirs,egards,felicitation,good wishes,gratulation,greetings,kind regards,kindest regards,love,regards,remembrances,respects,salaams,salutations 2264 - best,aristocracy,barons,bear the palm,beat,beat all hollow,beat hollow,better,bottom,cap,champion,choice,chosen,clobber,conquer,cream,crush,cut,defeat,destroy,do in,drub,elect,elite,establishment,exceed,excel,excellent,exemplar,fat,finery,finest,first,first-class,first-rate,fix,flower,for the best,foremost,gem,giveaway,go one better,greater,greatest,half-price,handpicked,hide,highest,hors de combat,improve on,kindest,lambaste,largest,lather,lick,lords of creation,lowest,marked down,master,matchless,maximal,maximum,model,most,nobility,nonesuch,nonpareil,optimal,optimum,outclass,outdo,outfight,outgeneral,outmaneuver,outpoint,outrun,outsail,outshine,outstrip,outweigh,outwit,overbalance,overbear,overcome,overlapping,overpass,overpower,overtop,overwhelm,paragon,paramount,pattern,peerless,perfect,pick,picked,power elite,power structure,predominate,preponderate,prevail,prevail over,pride,prime,primrose,prize,put,queen,quintessence,quintessential,reduced,richest,rise above,rock-bottom,rout,ruin,ruling circles,ruling class,sacrificial,select,settle,skin,skin alive,slashed,subdue,superb,superior,superlative,supreme,surmount,surpass,surpassing,take the cake,the best,the best ever,the best people,the brass,the tops,the very best,thrash,tip-top,top,top people,top-notch,topmost,tower above,tower over,transcend,trim,triumph,triumph over,trounce,trump,undo,unexcelled,unmatchable,unmatched,unparalleled,unsurpassed,upper class,upper crust,uppermost,utmost,vanquish,very best,wealthiest,whip,win,worst 2265 - bested,all up with,beat,beaten,confounded,defeated,discomfited,done for,done in,down,fallen,fixed,floored,hors de combat,lambasted,lathered,licked,on the skids,outdone,overborne,overcome,overmastered,overmatched,overpowered,overridden,overthrown,overturned,overwhelmed,panicked,put to rout,routed,ruined,scattered,settled,silenced,skinned,skinned alive,stampeded,trimmed,trounced,undone,upset,whelmed,whipped,worsted 2266 - bestial,Adamic,Circean,Draconian,Gothic,Neanderthal,Tartarean,animal,animalian,animalic,animalistic,anthropophagous,atrocious,barbarian,barbaric,barbarous,beastlike,beastly,bloodthirsty,bloody,bloody-minded,bodily,brutal,brutalized,brute,brutelike,brutish,cannibalistic,carnal,carnal-minded,coarse,cruel,cruel-hearted,demoniac,demoniacal,devilish,diabolic,dumb,earthy,fallen,fell,feral,ferine,ferocious,fiendish,fiendlike,fierce,fleshly,gross,hellish,ill-bred,impolite,infernal,inhuman,inhumane,instinctive,instinctual,kill-crazy,lapsed,malign,malignant,material,materialistic,merciless,mindless,murderous,noncivilized,nonrational,nonspiritual,orgiastic,outlandish,physical,pitiless,postlapsarian,primitive,rough-and-ready,ruthless,sadistic,sanguinary,sanguineous,satanic,savage,sharkish,slavering,subhuman,swinish,tameless,troglodytic,truculent,unchristian,uncivil,uncivilized,uncombed,uncouth,uncultivated,uncultured,ungentle,unhuman,unkempt,unlicked,unpolished,unrefined,unspiritual,untamed,vicious,wild,wolfish,zoic,zooidal,zoologic 2267 - bestiality,Adam,Gothicism,Neanderthalism,abominableness,anal intercourse,animalism,animality,atrociousness,autoeroticism,awfulness,barbarism,barbarity,barbarousness,baseness,beastliness,bloodiness,bloodlust,bloodthirst,bloodthirstiness,bloody-mindedness,brutality,brutalness,brutishness,buggery,cannibalism,carnal nature,carnal-mindedness,carnality,coarseness,contemptibleness,cruelness,cruelty,cunnilingus,despicableness,detestableness,direness,disgustingness,dreadfulness,earthiness,egregiousness,fallen nature,fallen state,fellatio,fellation,ferociousness,ferocity,fiendishness,fierceness,filth,flesh,fleshliness,foulness,fulsomeness,grossness,hand job,hatefulness,heinousness,horribleness,ill breeding,impoliteness,incivility,infamousness,inhumaneness,inhumanity,irrumation,lapsed state,loathsomeness,lousiness,manipulation,masturbation,materialism,nastiness,nefariousness,noisomeness,nonspirituality,notoriousness,obnoxiousness,odiousness,offensiveness,onanism,oral-genital stimulation,outrageousness,pederasty,philistinism,postlapsarian state,rankness,repulsiveness,rottenness,ruthlessness,sadism,sadistic cruelty,sanguineousness,savagery,savagism,scandalousness,scurviness,self-abuse,shabbiness,shamefulness,shoddiness,sodomy,sordidness,squalidness,squalor,swinishness,terribleness,the Old Adam,the beast,the flesh,the offending Adam,the pits,troglodytism,truculence,uncivilizedness,uncleanness,uncouthness,uncultivatedness,uncultivation,unculturedness,unrefinement,unspirituality,vandalism,viciousness,vileness,violence,wanton cruelty,wildness,worthlessness,wretchedness 2268 - bestow,accord,administer,afford,allot,allow,apply,award,bestow on,billet,board,bunk,communicate,confer,consecrate to,consume,deal,deal out,dedicate to,devote,dish out,dispense,dole,dole out,domicile,donate,dose,dose with,employ,enforce upon,entertain,exercise,expend,exploit,extend,force,force upon,fork out,gift,gift with,give,give away,give freely,give out,give over to,give to,grant,hand out,handle,harbor,heap,help to,house,impart,issue,lavish,lay on,let have,lodge,mete,mete out,mete out to,offer,pack,pass,pour,prescribe for,present,proffer,put in,put on,put up,put upon,quarter,rain,render,serve,shell out,shower,slip,snow,spend,store,tender,use,use up,utilize,vouchsafe,warehouse,while,while away,wile,yield 2269 - bestowal,accommodation,accordance,administration,application,applying,award,awarding,bestowment,communication,concession,conferment,conferral,contribution,deliverance,delivery,donation,dosage,dosing,endowment,enforcing,forcing,forcing on,furnishment,gifting,giving,grant,granting,impartation,impartment,investiture,liberality,meting out,offer,prescribing,presentation,presentment,provision,subscription,supplying,surrender,vouchsafement 2270 - bestraddle,abut on,arch over,back,be based on,bear on,bestride,board,bridge,clear,climb on,command,dominate,extend over,get in,get on,go aboard,go on board,hang over,hop in,imbricate,jump in,jut,lap,lap over,lean on,lie on,lie over,look down upon,mount,outtop,overarch,overhang,overlap,overlie,overlook,override,overshadow,overtop,perch,pile in,rely on,repose on,rest on,ride,rise above,shingle,sit on,span,stand on,straddle,stride,surmount,top,tower above,tower over 2271 - bestride,abut on,arch over,back,be based on,bear on,bestraddle,board,bridge,bypass,clear,climb on,command,cross,dictate,dominate,extend over,ford,get ahead of,get in,get on,go aboard,go across,go by,go on board,hang over,have the ascendancy,hop in,imbricate,jump in,jut,lap,lap over,lean on,lie on,lie over,look down upon,master,mount,outtop,overarch,overhang,overlap,overlie,overlook,override,overshadow,overstride,overtop,pass,pass by,pass over,perch,pile in,play first fiddle,predominate,preponderate,prevail,rely on,repose on,rest on,ride,rise above,rule the roost,shingle,shoot ahead of,sit on,span,stand on,step over,straddle,stride,surmount,take the lead,top,tower above,tower over,twist,wear the pants 2272 - bet on,aller sans dire,ante,ante up,back,bank on,be axiomatic,be certain,be confident,bet,calculate on,call,count on,cover,depend on,doubt not,fade,feel sure,gamble,gamble on,go without saying,have no doubt,hazard,just know,know,know for certain,lay,lay a wager,lay down,lean on,make a bet,meet a bet,parlay,pass,place reliance on,play against,plunge,punt,reckon on,rely on,rely upon,repose on,rest assured,rest on,see,stake,stand pat,swear by,trust to,wager 2273 - bet,ante,ante up,back,bet on,book,call,chunk,cover,fade,gamble,game,handbook,hazard,lay,lay a wager,lay down,make a bet,make book,meet a bet,parlay,pass,play,play against,plunge,pot,predict,prognosticate,punt,put on,risk,see,set,shot,stake,stand pat,take a chance,wager 2274 - beta particle,Kern,NMR,alpha particle,antibaryon,antilepton,antimeson,atomic nucleus,atomic particle,aurora particle,baryon,cathode particle,electron,electron affinity,electron cloud,electron pair,electron shells,electron spin,electron transfer,electron-positron pair,elementary particle,energy level,excited state,extranuclear electrons,ground state,heavy particle,lepton,lone pair,meson,mesotron,negatron,neutron,nuclear force,nuclear magnetic resonance,nuclear particle,nuclear resonance,nucleon,nucleosynthesis,nucleus,octet,orbital electron,photoelectron,photon,proton,radioactive particle,radion,recoil electron,secondary electron,shared pair,solar particle,strangeness,strong interaction,subvalent electrons,surface-bound electron,thermion,triton,valence electron,valence electrons,valence shell,wandering electron 2275 - beta ray,Becquerel ray,Grenz ray,Roentgen ray,X radiation,X ray,actinic ray,alpha radiation,alpha ray,anode ray,beta radiation,canal ray,cathode ray,cosmic radiation,cosmic ray,cosmic ray bombardment,electron emission,gamma radiation,gamma ray,infraroentgen ray,nuclear rays,positive ray,radiorays 2276 - bete noire,Dracula,Frankenstein,Mumbo Jumbo,Wolf-man,affliction,anathema,bane,bogey,bogeyman,boggart,bogle,booger,boogerman,boogeyman,bug,bugaboo,bugbear,bugger,burden,calamity,crushing burden,curse,death,destruction,detestation,disease,evil,fee-faw-fum,frightener,ghost,ghoul,grievance,harm,hate,hobgoblin,holy terror,horror,incubus,infliction,monster,nemesis,nightmare,ogre,ogress,open wound,pest,pestilence,phantom,plague,revenant,running sore,scarebabe,scarecrow,scarer,scourge,specter,succubus,terror,thorn,torment,vampire,vexation,visitation,werewolf,woe 2277 - betide,be found,be met with,be realized,bechance,befall,break,chance,come,come about,come along,come down,come off,come to pass,come true,develop,eventuate,fall,fall out,go,go off,hap,happen,happen along,happen by chance,hazard,occur,pass,pass off,pop up,take place,transpire,turn up 2278 - betimes,after a while,ahead,ahead of time,anon,at times,before,before long,beforehand,beforetime,by and by,directly,early,ere long,ever and again,ever and anon,foresightedly,here and there,in a moment,in a while,in advance,in anticipation,in due course,in due time,now and again,now and then,once and again,oversoon,precociously,prematurely,presently,seasonably,shortly,soon,timely 2279 - betoken,affect,announce,approve,argue,attest,augur,be construed as,be indicative of,be significant of,be symptomatic of,bespeak,bode,brandish,breathe,bring forth,bring forward,bring into view,bring out,bring to notice,characterize,connote,dangle,demonstrate,denominate,denote,develop,differentiate,disclose,display,divine,divulge,dramatize,embody,enact,entail,evidence,evince,exhibit,expose to view,express,flaunt,flourish,forebode,foreshadow,foreshow,foretoken,furnish evidence,give evidence,give indication of,give sign,give token,go to show,highlight,hint,identify,illuminate,illustrate,imply,import,incarnate,indicate,involve,make clear,make plain,manifest,mark,materialize,mean,note,omen,parade,perform,point to,portend,prefigure,preindicate,presage,present,presign,presignal,presignify,pretypify,produce,promise,refer to,represent,reveal,roll out,set forth,show,show forth,show signs of,signalize,signify,speak for itself,speak volumes,spell,spotlight,stand for,suggest,symbolize,symptomatize,symptomize,tell,tend to show,testify,token,trot out,typify,unfold,wave,witness 2280 - betray,abuse,apostatize,babble,bamboozle,be indiscreet,be unguarded,bear witness against,beguile,betoken,betray a confidence,blab,blabber,blow the whistle,bluff,blurt,blurt out,bolt,break away,break faith,cajole,cheat on,circumvent,collaborate,conjure,cross,debauch,deceive,defect,defile,deflower,delude,demonstrate,desert,despoil,diddle,disclose,discover,divulge,double-cross,dupe,ensnare,entrap,evidence,evince,expose,fail,fink,fool,force,forestall,gammon,get around,give away,gull,hoax,hocus-pocus,hoodwink,hornswaggle,humbug,impart,indicate,inform,inform against,inform on,juggle,lay bare,lead astray,leak,let down,let drop,let fall,let slip,manifest,misguide,mislead,mock,narc,outmaneuver,outreach,outsmart,outwit,overreach,peach,pigeon,play one false,pull out,put something over,rape,rat,ravage,ravish,renegade,reveal,reveal a secret,ruin,run out on,secede,seduce,sell,sell out,shop,show,sing,snare,snitch,snitch on,snow,soil,spill,spill the beans,split,squeal,stool,string along,sully,take in,talk,tattle,tattle on,tell,tell on,tell secrets,tell tales,testify against,trap,trick,turn in,turn informer,two-time,uncover,unveil,violate 2281 - betrayal,Judas kiss,abuse,apostasy,babbling,backsliding,bad faith,blabbering,blabbing,bolt,breach of faith,breakaway,communication leak,criminal assault,dead giveaway,debauchment,defection,defilement,defloration,deflowering,dereliction,deserter,desertion,despoilment,disclosure,disloyalty,divulgation,divulgement,divulgence,divulging,double cross,evulgation,faithlessness,giveaway,going over,indiscretion,leak,letting out,obvious clue,perfidy,priapism,rape,ratting,ravage,ravishment,recidivation,recidivism,recreancy,revelation,schism,secession,seducement,seduction,sellout,sexual assault,telltale,telltale sign,traitorousness,treachery,treason,turning traitor,unwitting disclosure,violation,walkout 2282 - betrayed,baffled,balked,bilked,blasted,blighted,chapfallen,crestfallen,crossed,crushed,dashed,defeated,disappointed,dished,disillusioned,dissatisfied,foiled,frustrated,ill done-by,ill-served,let down,out of countenance,regretful,sorely disappointed,soured,thwarted 2283 - betrayer,Benedict Arnold,Brutus,Judas,Judas Iscariot,Quisling,archtraitor,blab,blabber,blabberer,blabbermouth,cockatrice,conniver,conspirator,conspirer,convict,criminal,crook,debaucher,deceiver,defiler,delator,desperado,desperate criminal,despoiler,double agent,double-crosser,double-dealer,felon,fink,fugitive,gallows bird,gangster,gaolbird,informer,intrigant,intriguer,jailbird,lawbreaker,machinator,mobster,narc,nark,outlaw,peacher,plotter,public enemy,quisling,racketeer,raper,rapist,rat,ravager,ravisher,schemer,scofflaw,seducer,serpent,snake,snitch,snitcher,spy,squealer,stool pigeon,stoolie,swindler,talebearer,tattler,tattletale,telltale,thief,thug,timeserver,traitor,treasonist,trimmer,turncoat,two-timer,violator,whistle-blower 2284 - betrothed,affianced,assured,bound,bride-to-be,committed,compromised,contracted,engaged,fiance,fiancee,future,guaranteed,intended,obligated,pledged,plighted,promised,sworn,underwritten,warranted 2285 - better half,common-law wife,concubine,consort,feme,feme covert,goodwife,goody,helpmate,helpmeet,lady,married woman,mate,matron,old lady,old woman,partner,rib,spouse,squaw,wedded wife,wife,woman,yokemate 2286 - better self,I,I myself,alter,alter ego,alterum,compunction,ego,ethical self,he,her,herself,him,himself,inner man,inner self,it,me,my humble self,myself,number one,oneself,other self,ourselves,pangs,pangs of conscience,pricking of heart,qualms,scruples,self,she,subconscious self,subliminal self,superego,them,themselves,they,throes,touch of conscience,twinge of conscience,voice of conscience,you,yours truly,yourself,yourselves 2287 - better,a cut above,above,accommodate,acculturate,adapt,adjust,advance,advantage,ahead,alter,altered,ameliorate,amend,ascendant,beat,best,better for,better off,bettor,bigger,boost,brass hat,break up,bring forward,cap,capping,change,changeable,changed,choice,chosen,civilize,control,convert,converted,cured,deform,degenerate,denature,desirable,deviant,distinguished,divergent,diversify,eclipsing,edify,educate,elder,elevate,emend,eminent,enhance,enlighten,enrich,exceed,exceeding,excel,excellent,excelling,exceptional,fatten,favor,favored,favoring,finer,fit,forward,foster,gambler,gamester,go one better,go straight,greater,happier,help,higher,higher-up,improve,improve on,improve upon,improved,in ascendancy,in the ascendant,lard,larger,lift,major,make an improvement,marked,mastery,meliorate,mend,metamorphosed,metastasized,mitigate,modified,modify,modulate,more,more desirable,most,mutant,mutate,nurture,of choice,one up on,outdo,outshine,outstanding,outstrip,outweigh,over,overbalance,overbear,overcome,overpass,overthrow,overtop,perfect,predominate,preferable,preferably,preferential,preferred,preferring,preponderate,prevail,promote,punter,qualified,qualify,raise,rare,re-create,realign,rebuild,rebuilt,reconsider,reconstruct,recovered,redesign,refine upon,refit,reform,reformed,remake,renew,renewed,reshape,restructure,revamp,revive,revived,revolutionary,richer,ring the changes,rivaling,senior,shift the scene,shuffle the cards,socialize,speculator,sport,straighten out,subversive,subvert,success,super,superior,superiority,superiors,surpass,surpassing,think better of,think twice,to be preferred,top,topping,tower above,tower over,transcend,transcendent,transcendental,transcending,transfigure,transform,transformed,translated,transmuted,triumph,trump,turn the scale,turn the tables,turn the tide,turn upside down,unmitigated,upgrade,uplift,upper,vary,wagerer,wealthier,well-advised,win,wiser,work a change,worse,worsen 2288 - bettered,advanced,ameliorated,beautified,civilized,converted,cultivated,cultured,developed,educated,embellished,enhanced,enriched,improved,perfected,polished,refined,reformed,transfigured,transformed 2289 - betterment,Great Leap Forward,about-face,accommodation,adaptation,adjustment,advance,advancement,alteration,amelioration,amendment,apostasy,ascent,bettering,boost,break,change,change of heart,changeableness,constructive change,continuity,conversion,defection,degeneration,degenerative change,deterioration,deviation,difference,discontinuity,divergence,diversification,diversion,diversity,enhancement,enrichment,eugenics,euthenics,fitting,flip-flop,furtherance,gradual change,headway,improvement,lift,melioration,mend,mending,mitigation,modification,modulation,overthrow,pickup,preferment,progress,progression,promotion,qualification,radical change,re-creation,realignment,recovery,redesign,reform,reformation,remaking,renewal,reshaping,restoration,restructuring,reversal,revival,revivification,revolution,rise,shift,sudden change,switch,total change,transition,turn,turnabout,upbeat,upheaval,uplift,upping,upswing,uptrend,upward mobility,variation,variety,violent change,worsening 2290 - bettor,adventurer,betting ring,boneshaker,cardshark,cardsharp,cardsharper,compulsive gambler,crap shooter,gambler,gamester,hazarder,petty gambler,piker,player,plunger,punter,sharp,sharper,sharpie,speculator,sport,sporting man,sportsman,tinhorn,tipster,tout,venturer,wagerer 2291 - between the lines,covert,cryptic,delitescent,dormant,esoteric,hibernating,hidden,latent,lurking,muffled,mystic,obfuscated,obscured,occult,possible,potential,sleeping,submerged,under the surface,underlying,unmanifested,veiled,virtual 2292 - betweentimes,ad interim,at infrequent intervals,at intervals,at odd times,at times,at various times,between acts,betweenwhiles,during the interval,en attendant,every so often,for a time,for the meantime,for the nonce,in the interim,in the meanwhile,meantime,meanwhile,now and then,occasionally,on divers occasions,on occasion,once and again,only occasionally,only when necessary,pendente lite,sometimes,until then 2293 - betwixt and between,amid,amidships,amidst,among,amongst,between,betwixt,dull,fair,fair to middling,fairish,half-and-half,halfway,in medias res,in the mean,in the middle,indifferent,insipid,lackluster,medially,mediocre,medium,mediumly,mezzo-mezzo,mid,middling,midships,midst,midway,moderate,modest,namby-pamby,of a kind,of a sort,of sorts,passable,respectable,so-so,tedious,tolerable,vapid,wishy-washy 2294 - bevel,ascender,astrolabe,azimuth circle,azimuth compass,back,bank,bastard type,beard,belly,bevel protractor,bevel square,beveled,bezel,bias,biased,black letter,body,cap,capital,case,chute,clinometer,counter,descender,easy slope,em,en,face,fat-faced type,feet,fleam,font,gentle slope,glacis,goniometer,grade,gradient,graphometer,groove,hanging gardens,helicline,hillside,inclination,incline,inclined plane,italic,launching ramp,letter,ligature,logotype,lower case,majuscule,minuscule,nick,pantometer,pi,pica,pitch,point,print,protractor,quadrant,radiogoniometer,ramp,roman,sans serif,scarp,script,sextant,shank,shelving beach,shoulder,side,slanted,slanting,slope,small cap,small capital,stamp,steep slope,stem,stiff climb,talus,theodolite,transit,transit circle,transit instrument,transit theodolite,type,type body,type class,type lice,typecase,typeface,typefounders,typefoundry,upper case 2295 - beveled,aslant,aslope,atilt,bevel,bias,biased,canting,careening,inclinational,inclinatory,inclined,inclining,leaning,listing,out of plumb,out of square,pitched,raking,recumbent,shelving,shelvy,sideling,sidelong,slant,slanted,slanting,slantways,slantwise,sloped,sloping,tilted,tilting,tipped,tipping,tipsy 2296 - beverage,John Barleycorn,ade,alcohol,alcoholic beverage,alcoholic drink,ambrosia,aqua vitae,ardent spirits,beef tea,birch beer,blood,booze,bouillon,brew,buttermilk,chicory,chocolate milk,cider,cocktail,cocoa,coffee,cola,drink,drinkable,egg cream,eggnog,espresso,fluid,fluid extract,fluid mechanics,frappe,frosted,frosted shake,fruit juice,ginger ale,ginger beer,grape juice,grapefruit juice,grog,hard liquor,hydraulics,hydrogeology,ice-cream soda,iced coffee,iced tea,inebriant,intoxicant,intoxicating liquor,juice,koumiss,latex,lemonade,limeade,liquid,liquid extract,liquor,little brown jug,malt,milk,mineral water,mocha,nectar,orangeade,phosphate,pop,potable,potation,punch,punch bowl,root beer,root beer float,rum,sap,schnapps,seltzer,semiliquid,shake,social lubricant,soda,soda pop,soda water,soft drink,spirits,spring water,strong drink,strong waters,tea,the Demon Rum,the bottle,the cup,the flowing bowl,the luscious liquor,the ruddy cup,tisane,tonic,toxicant,water,water of life,whey 2297 - bevue,bad job,balk,blunder,bobble,boggle,bonehead play,boner,boo-boo,botch,bungle,clumsy performance,error,etourderie,false move,false step,flub,fluff,foozle,fumble,gaucherie,hash,inadvertence,inadvertency,lapse,lapsus calami,lapsus linguae,loose thread,mess,miscue,misstep,mistake,muff,off day,omission,oversight,sad work,slip,slipup,stumble,trip,wrong step 2298 - bevy,a mass of,a world of,age group,army,assembly,band,battalion,body,brigade,bunch,cabal,cast,charm,clique,cloud,cluster,clutter,cohort,company,complement,contingent,corps,coterie,covey,crew,crowd,detachment,detail,division,faction,fleet,flight,flock,flocks,gaggle,gang,group,grouping,groupment,hail,hive,host,in-group,jam,junta,large amount,legion,lots,many,masses of,mob,movement,muchness,multitude,murmuration,nest,numbers,out-group,outfit,pack,party,peer group,phalanx,plague,platoon,plurality,posse,quantities,quite a few,regiment,rout,ruck,salon,scores,set,shoal,skein,spring,squad,stable,string,swarm,team,throng,tidy sum,tribe,troop,troupe,watch,wing,worlds of 2299 - bewail,be sorry for,bemoan,deplore,dirge,elegize,give sorrow words,grieve,keen,knell,lament,moan,mourn,regret,repine,rue,rue the day,sigh,sing the blues,sorrow,weep,weep over 2300 - bewhiskered,back-number,banal,bearded,bromidic,common,commonplace,corny,cut-and-dried,fade,familiar,fusty,hackney,hackneyed,moth-eaten,musty,old hat,platitudinous,set,square,stale,stereotyped,stock,stubbled,stubbly,threadbare,timeworn,trite,truistic,unoriginal,unshaven,warmed-over,well-known,well-worn,whiskered,worn,worn thin 2301 - bewilder,abash,addle,addle the wits,amaze,astonish,astound,awe,awestrike,baffle,ball up,becloud,bedaze,bedazzle,befog,befuddle,bemuse,boggle,bother,bowl down,bowl over,bug,cap,cloud,confound,confuse,daze,dazzle,discombobulate,discomfit,discompose,disconcert,dismay,disorganize,disorient,distract,disturb,dumbfound,dumbfounder,embarrass,entangle,flabbergast,flummox,flurry,fluster,flutter,fog,fuddle,fuss,maze,mist,mix up,moider,muddle,mystify,overwhelm,paralyze,perplex,perturb,petrify,pose,pother,put out,puzzle,raise hell,rattle,ruffle,stagger,startle,strike dead,strike dumb,strike with wonder,stumble,stun,stupefy,surprise,throw into confusion,unsettle,upset 2302 - bewildered,abashed,abroad,adrift,agape,aghast,agog,all agog,amazed,astonished,astounded,astray,at a loss,at a nonplus,at a stand,at a standstill,at an impasse,at gaze,at sea,awed,awestruck,baffled,beguiled,bewitched,bothered,breathless,captivated,clueless,confounded,confused,discomposed,disconcerted,dismayed,disoriented,distracted,distraught,disturbed,dumbfounded,dumbstruck,embarrassed,enchanted,enraptured,enravished,enthralled,entranced,fascinated,flabbergasted,gaping,gauping,gazing,guessing,hypnotized,in a fix,in a maze,in a pickle,in a scrape,in a stew,in awe,in awe of,lost,lost in wonder,marveling,mazed,mesmerized,mystified,nonplussed,off the track,open-eyed,openmouthed,overwhelmed,perplexed,perturbed,popeyed,put-out,puzzled,rapt in wonder,spellbound,staggered,staring,stuck,stumped,stupefied,surprised,thunderstruck,turned around,under a charm,upset,wide-eyed,without a clue,wonder-struck,wondering 2303 - bewildering,baffling,beguiling,bothering,confounding,confusing,discomposing,disconcerting,dismaying,distracting,disturbing,embarrassing,enigmatic,exceptional,extraordinary,fabulous,fantastic,fascinating,incomprehensible,inconceivable,incredible,intricate,marvelous,miraculous,mysterious,mystifying,outlandish,passing strange,perplexing,perturbing,phenomenal,problematic,prodigious,puzzling,rare,remarkable,sensational,strange,striking,stupendous,unheard-of,unimaginable,unique,unprecedented,upsetting,wonderful,wondrous 2304 - bewitch,abuse,afflict,aggrieve,allure,attract,becharm,bedevil,befoul,beguile,blight,captivate,carry away,cast a spell,charm,condemn,corrupt,crucify,curse,damage,dazzle,defile,delectate,delight,demonize,deprave,despoil,destroy,devilize,diabolize,disadvantage,disfascinate,freak out,get into trouble,harass,harm,hex,hold in thrall,hoodoo,hurt,hypnotize,impair,imparadise,infatuate,infect,inflame with love,injure,intrigue,jinx,knock dead,knock out,magnetize,maltreat,menace,mesmerize,mistreat,molest,obsess,outrage,overlook,persecute,play havoc with,play hob with,poison,pollute,possess,prejudice,ravish,savage,scathe,seduce,send,slay,snow,sorcerize,spell,spellbind,taint,take,tantalize,tempt,threaten,thrill,tickle,tickle pink,titillate,torment,torture,transport,trick,vamp,violate,voodoo,wile,witch,wound,wow,wreak havoc on,wrong 2305 - bewitched,agape,aghast,agog,all agog,amazed,astonished,astounded,at gaze,awed,awestruck,becharmed,beguiled,bewildered,breathless,captivated,charmed,confounded,dumbfounded,dumbstruck,enamored,enchanted,enraptured,enravished,enthralled,entranced,fascinated,flabbergasted,gaping,gauping,gazing,hag-ridden,heartsmitten,hypnotized,in awe,in awe of,infatuate,infatuated,lost in wonder,magical,marveling,mesmerized,miraculous,necromantic,obsessed,open-eyed,openmouthed,overwhelmed,popeyed,possessed,prodigious,puzzled,rapt in wonder,smitten,spellbound,staggered,staring,stupefied,surprised,thaumaturgic,thunderstruck,under a charm,wide-eyed,witch-charmed,witch-held,witch-struck,witched,wonder-struck,wonder-working,wondering,wondrous 2306 - bewitching,Circean,alluring,appealing,appetizing,attractive,beguiling,blandishing,cajoling,captivating,catching,charismatic,charming,coaxing,come-hither,coquettish,delightful,enchanting,engaging,enravishing,enthralling,enticing,entrancing,exciting,exotic,exquisite,fascinating,fetching,flirtatious,glamorous,heart-robbing,hypnotic,illusionary,illusive,illusory,interesting,intriguing,inviting,irresistible,lovely,luxurious,magnetic,mesmeric,mouth-watering,piquant,prepossessing,provocative,provoquant,ravishing,seducing,seductive,sensuous,siren,sirenic,spellbinding,spellful,taking,tantalizing,teasing,tempting,thrilling,tickling,titillating,titillative,voluptuous,winning,winsome,witching 2307 - bey,Dalai Lama,Holy Roman Emperor,Inca,Kaiser,ardri,beg,beglerbeg,burgrave,cacique,caesar,cham,collector,czar,dey,eparch,exarch,gauleiter,governor,governor-general,kaid,khan,khedive,lieutenant governor,mikado,nabob,nawab,negus,padishah,palatine,pendragon,pharaoh,proconsul,provincial,rig,sachem,sagamore,satrap,shah,sheikh,shogun,stadtholder,subahdar,tenno,tetrarch,tycoon,vali,vice-king,viceroy,wali 2308 - beyond belief,a bit thick,a bit thin,absurd,bizarre,cockamamie,crazy,doubtable,doubtful,dubious,dubitable,extravagant,fantastic,foolish,grotesque,hard of belief,hard to believe,high-flown,implausible,inconceivable,incredible,laughable,ludicrous,monstrous,nonsensical,not deserving belief,open to doubt,open to suspicion,outrageous,outre,passing belief,poppycockish,preposterous,problematic,questionable,ridiculous,staggering belief,suspect,suspicious,tall,thick,thin,unbelievable,unconvincing,unearthly,ungodly,unimaginable,unthinkable,unworthy of belief,weird,wild 2309 - beyond compare,a outrance,absolutely,all out,beyond all bounds,beyond comparison,beyond measure,completely,dead,downright,easily first,essentially,extremely,facile princeps,flat out,fundamentally,immeasurably,immortal,in the extreme,incalculably,incomparable,indefinitely,infinitely,inimitable,invincible,matchless,most,nulli secundus,peerless,perfectly,purely,radically,second to none,sui generis,totally,unapproachable,unapproached,unbeatable,unconditionally,unequaled,unequivocally,unexampled,unexcelled,unique,unmatchable,unmatched,unparagoned,unparalleled,unpeered,unrivaled,unsurpassable,unsurpassed,utterly,with a vengeance,without equal,without parallel 2310 - beyond control,breachy,contumacious,defiant,fractious,incorrigible,indocile,indomitable,insuppressible,intractable,irrepressible,obstreperous,out of hand,recalcitrant,refractory,resistant,resisting,restive,shrewish,unbiddable,uncontrollable,ungovernable,unmalleable,unmanageable,unmoldable,unruly,unsubmissive,wild 2311 - beyond measure,a outrance,absolutely,all out,beyond all bounds,beyond compare,beyond comparison,completely,dead,downright,essentially,extravagantly,extremely,flat out,fundamentally,immeasurably,in the extreme,incalculably,indefinitely,infinitely,lavishly,more than enough,most,out of measure,overabundantly,perfectly,plentifully,prodigally,purely,radically,superabundantly,totally,unconditionally,unequivocally,utterly,with a vengeance,without measure 2312 - beyond one,complex,complicated,crabbed,cramp,difficult,garbled,hard,hard to understand,impracticable,impractical,inoperable,insuperable,insurmountable,intricate,jumbled,knotty,obfuscated,obscure,obscured,overtechnical,perplexed,scrambled,too much for,tough,unachievable,unattainable,uncompassable,undoable,uneffectible,unnegotiable,unperformable,unrealizable,unsurmountable,unworkable 2313 - beyond recall,beyond remedy,cureless,gone,immedicable,incorrigible,incurable,inoperable,irreclaimable,irrecoverable,irredeemable,irreformable,irremediable,irreparable,irretrievable,irreversible,irrevocable,lost,past hope,past praying for,remediless,ruined,terminal,undone,unmitigable,unrelievable,unsalvable,unsalvageable 2314 - beyond,Heaven,Paradise,a better place,above,above and beyond,across,added,additionally,after,afterlife,afterworld,again,all included,also,altogether,among other things,and all,and also,and so,as well,as well as,athwart,au reste,behind,beside,besides,destiny,else,en plus,eternal home,extra,farther,fate,for lagniappe,further,furthermore,future state,home,in addition,in excess of,inter alia,into the bargain,item,later than,life after death,life to come,likewise,more,moreover,new,next world,on the side,on top of,other,otherwise,otherworld,outside,over,over and above,past,plus,postexistence,similarly,subsequent to,the beyond,the good hereafter,the grave,the great beyond,the great hereafter,the hereafter,the unknown,then,therewith,to boot,too,too deep for,transversely,what bodes,what is fated,without,world to come,yet,yon,yonder 2315 - biannual,annual,biennial,bimonthly,biweekly,catamenial,centenary,centennial,daily,decennial,diurnal,fortnightly,hebdomadal,hourly,menstrual,momentary,momently,monthly,quarterly,quotidian,secular,semestral,semiannual,semimonthly,semiweekly,semiyearly,tertian,triennial,weekly,yearly 2316 - bias,a thing for,aberrancy,aberration,across,affect,affinity,angle,angle off,animus,aptitude,aptness,aslant,aslope,athwart,atilt,bag,bear off,bend,bend to,bendwise,bent,bevel,beveled,biased,biaswise,branching off,canting,careening,cast,catercorner,catercornered,catercornerways,character,chosen kind,circuitousness,color,conatus,conduce,conduciveness,constitution,contribute,corner,cornerways,cornerwise,crook,crossways,crosswise,cup of tea,curve,declination,deflect,delight,departure,detour,deviance,deviancy,deviate,deviation,deviousness,diagonal,diagonally,diagonalwise,diathesis,diffract,diffuse,digression,discrimination,discursion,disperse,dispose,disposition,distort,divagate,divagation,divarication,diverge,divergence,diversion,divert,dogleg,double,drift,drifting,druthers,eagerness,eccentricity,errantry,excursion,excursus,exorbitation,fancy,fascination,favor,favoritism,feeling for,forejudgment,garble,go,grain,hairpin,have a tendency,head,idiosyncrasy,impulse,inclination,inclinational,inclinatory,incline,inclined,inclining,indirection,individualism,induce,inequality,influence,interest,involvement,jaundice,jaundiced eye,kidney,kittycorner,lead,lean,leaning,liability,liking,listing,look to,lurch,make,makeup,mental set,mettle,mind,mind-set,misconstrue,misdirect,misinterpret,misrender,misrepresent,misuse,mold,move,mutual affinity,mutual attraction,nature,nepotism,oblique,oblique angle,oblique figure,oblique line,obliquity,on the bias,one-sidedness,out of plumb,out of square,parti pris,partialism,partiality,particular choice,partisanism,partisanship,penchant,pererration,personal choice,persuade,pervert,pitched,point,point to,preconception,predilection,predispose,predisposition,preference,preferential treatment,prejudgment,prejudice,prejudice against,prejudice the issue,prepossess,prepossession,probability,proclivity,prompt,proneness,propensity,pull,raking,rambling,readiness,recumbent,redound to,refract,rhomboid,scatter,scratch comma,sensitivity to,separatrix,serve,set,set toward,sheer,shelving,shelvy,shift,shifting,shifting course,shifting path,show a tendency,sideling,sidelong,skew,slant,slanted,slanting,slantways,slantwise,slash,sloped,sloping,slue,soft spot,soften up,solidus,stamp,standpoint,strain,straying,streak,stripe,style,susceptibility,sway,sweep,swerve,swerving,swinging,sympathy,tack,taint,taste,temper,temperament,tend,tendency,thing,thwart,tilted,tilting,tinge,tipped,tipping,tipsy,tone,torture,transverse,trend,tropism,turn,turn of mind,turning,twist,type,undetachment,undispassionateness,unneutrality,variation,varnish,veer,verge,viewpoint,virgule,wandering,warp,weakness,wear down,weigh with,weight,willingness,work,work toward,yaw,zigzag 2317 - biased,across,antiblack,aslant,aslope,athwart,atilt,bendwise,bent,bevel,beveled,bias,biaswise,canting,careening,catercorner,catercornered,chauvinistic,colored,cooked,crossways,crosswise,diagonal,disposed,distorted,doctored,doctrinaire,dogmatic,garbled,inclinational,inclinatory,inclined,inclining,influenced,interested,involved,jaundiced,kittycorner,know-nothing,leaning,listing,misquoted,misrepresented,nonobjective,one-sided,opinionated,out of plumb,out of square,partial,partisan,perverted,pitched,predisposed,prejudiced,prepossessed,racist,raking,recumbent,sexist,shelving,shelvy,sideling,sidelong,slant,slanted,slanting,slantways,slantwise,sloped,sloping,strained,superpatriotic,swayed,tendentious,thwart,tilted,tilting,tipped,tipping,tipsy,tortured,transverse,twisted,ultranationalist,undetached,undispassionate,unneutral,warped,xenophobic 2318 - bibelot,a continental,a curse,a damn,a darn,a hoot,bagatelle,bauble,bean,bit,brass farthing,bric-a-brac,button,cent,curio,farce,farthing,feather,fig,fleabite,folderol,fribble,frippery,gaud,gewgaw,gimcrack,hair,halfpenny,hill of beans,jest,joke,kickshaw,knack,knickknack,knickknackery,minikin,mockery,molehill,novelty,peppercorn,picayune,pin,pinch of snuff,pinprick,rap,red cent,row of pins,rush,shit,snap,sneeshing,sou,straw,toy,trifle,trinket,triviality,tuppence,two cents,twopence,whatnot,whim-wham 2319 - Bible,Douay Bible,Holy Scripture,Holy Writ,King James Version,Revised Standard Version,Revised Version,Scripture,Septuagint,Testament,Vulgate,canon,canonical writings,sacred writings,scripture,scriptures,the Book,the Good Book,the Scriptures,the Word 2320 - Biblical,Gospel,Mosaic,New-Testament,Old-Testament,apocalyptic,apostolic,canonical,evangelic,evangelistic,gospel,inspired,prophetic,revealed,revelational,scriptural,textual,textuary,theopneustic 2321 - bibliographer,advertising writer,annalist,art critic,author,authoress,belletrist,bibliognost,biblioklept,bibliolater,bibliomane,bibliomaniac,bibliopegist,bibliophage,bibliophile,bibliopole,bibliopolist,bibliotaph,bibliothec,bibliothecaire,bibliothecary,book agent,book collector,book printer,book publisher,book salesman,book-stealer,bookbinder,bookdealer,booklover,bookmaker,bookman,bookseller,bookworm,cataloger,chief librarian,coauthor,collaborator,college editor,columnist,compiler,composer,copy editor,copywriter,creative writer,critic,curator,dance critic,diarist,dictionary editor,drama critic,dramatist,editor,editor-in-chief,encyclopedist,essayist,executive editor,free lance,free-lance writer,ghost,ghostwriter,humorist,inditer,juvenile editor,librarian,library director,literary artist,literary craftsman,literary critic,literary man,litterateur,logographer,magazine writer,man of letters,managing editor,monographer,music critic,newspaperman,novelettist,novelist,pamphleteer,penwoman,permissions editor,philobiblist,poet,printer,production editor,prose writer,publisher,reference editor,reference librarian,reviewer,scenario writer,scenarist,scribe,scriptwriter,short-story writer,storyteller,technical writer,textbook editor,trade editor,word painter,wordsmith,writer 2322 - bibliography,Art Index,Baedeker,Bibliography Index,Books in Print,Cumulative Book Index,Education Index,National Union Catalog,Yellow Pages,acknowledgments,annotated bibliography,annual bibliography,back,back matter,backlist,bastard title,bibliogenesis,bibliogony,bibliography of bibliographies,bibliology,bibliopolism,body of knowledge,body of learning,book manufacturing,book production,bookcraft,bookmaking,bookselling,business directory,card catalog,catalog,catalogue raisonne,catch line,catchword,checklist,city directory,classified catalog,classified directory,colophon,contents,contents page,copyright page,critical bibliography,cyclopedia,dedication,directory,encyclopedia,endleaf,endpaper,endsheet,errata,file,filing system,finding list,flyleaf,folio,fore edge,foreword,front matter,guidebook,half-title page,handbook,handlist,head,imprint,index,inscription,introduction,itinerary,leaf,letter file,literature,lore,makeup,materials,page,periodical index,phone book,pigeonholes,preface,preliminaries,publications,recto,reference book,reverso,road map,roadbook,running title,signature,store of knowledge,subtitle,system of knowledge,table of contents,tail,telephone book,telephone directory,text,title,title page,treasury of information,trim size,type page,verso 2323 - bibliolatry,Sabbatarianism,bibliomania,bigotry,bluestockingism,book learning,book madness,bookiness,bookishness,booklore,charismatic gift,charismatic movement,charismatic renewal,classical scholarship,classicism,culture,dogmatism,donnishness,eruditeness,erudition,evangelicalism,fanaticism,fundamentalism,gift of tongues,glossolalia,hideboundness,humanism,humanistic scholarship,hyperorthodoxy,intellectualism,intellectuality,learnedness,letters,literacy,literalism,overdevoutness,overpiousness,overreligiousness,overrighteousness,overzealousness,pedantism,pedantry,pentecostalism,precisianism,purism,puritanicalness,puritanism,reading,revival,revivalism,sabbatism,sanctimony,scholarship,scripturalism,staunchness,stiff-neckedness,straitlacedness,strict interpretation,strictness,zeal,zealotism,zealotry,zealousness 2324 - bibliophile,bibliognost,bibliographer,biblioklept,bibliolater,bibliolatrist,bibliomane,bibliomaniac,bibliopegist,bibliophage,bibliophilist,bibliopole,bibliopolist,bibliotaph,bibliothec,bibliothecaire,bibliothecary,book agent,book collector,book printer,book publisher,book salesman,book-stealer,bookbinder,bookdealer,booklover,bookmaker,bookman,bookseller,bookworm,cataloger,chief librarian,college editor,copy editor,curator,dictionary editor,editor,editor-in-chief,executive editor,greasy grind,grind,juvenile editor,librarian,library director,managing editor,permissions editor,philobiblist,printer,production editor,publisher,reference editor,reference librarian,textbook editor,trade editor 2325 - bibulous,absorbent,addicted to drink,adsorbent,assimilative,bibacious,blotting,chemisorptive,chemosorptive,crapulent,crapulous,digestive,drinking,drunken,endosmotic,excessive,exosmotic,extravagant,extreme,given to drink,gluttonous,imbibitory,immoderate,incontinent,indulgent,inordinate,intemperate,osmotic,overindulgent,overindulging,prodigal,resorbent,self-indulgent,soaking,sorbent,sottish,spongeous,spongy,swilling,swinish,thirsty,tippling,too much,toping,unbridled,unconstrained,uncontrolled,undisciplined,unfrugal,unlimited,unmeasured,unrestrained,unthrifty,winebibbing 2326 - bicameral,biaxial,bicuspid,bifid,biform,binocular,binomial,binominal,bipartite,biped,bipetalous,bipinnate,bisexual,bivalent,congressional,deliberative,lawmaking,legislative,legislatorial,parliamentary,senatorial,unibivalent,unicameral 2327 - bicentennial,C,anniversary,annual holiday,bicentenary,biennial,birthday,bissextile day,cental,centare,centenarian,centenary,centennial,centennium,centigram,centimeter,centipede,centistere,centred,centref,centrev,centumvir,centumvirate,centurion,century,commemoration,cwt,decennial,diamond jubilee,golden wedding anniversary,gross,hecatomb,holy days,hundred,hundredweight,immovable feast,jubilee,leap year,long hundred,name day,natal day,octennial,one C,quadrennial,quasquicentennial,quincentenary,quincentennial,quinquennial,septennial,sesquicentenary,sesquicentennial,sextennial,silver wedding anniversary,tercentenary,tercentennial,tricennial,triennial,wedding anniversary 2328 - biceps,adductor,arm,buccinator,elbow,forearm,gemellus,gluteus maximus,infraspinatus,intercostal,latissimus dorsi,levator,masseter,mentalis,mylohyoid,nasalis,oblique,occipitalis,omohyoid,pectineus,pectoralis,peroneus,sphincter,tensor,trapezius,triceps,upper arm,wrist 2329 - bicker,altercate,argue,argufy,around the bush,bandy words,battle,beat,beat about,beg the question,bicker over,boggle,brawl,broil,caterwaul,cavil,choplogic,clack,clatter,clitter,contend,contend about,contest,cross swords,cut and thrust,dance,differ,discept,dispute,dodge,equivocate,evade,evade the issue,fall out,fence,feud,fight,fight over,flap,flick,flicker,flip,flit,flite,flitter,flop,flutter,give and take,go pitapat,gutter,hassle,have it out,have words,hedge,join issue,lock horns,logomachize,moot,mystify,nitpick,obscure,palpitate,palter,parry,pettifog,pick nits,pitter-patter,play,plead,polemicize,polemize,prevaricate,pulse,pussyfoot,quarrel,quarrel over,quibble,quiver,row,scrap,set to,shatter,shift,shuffle,shy,sidestep,slat,spar,spat,split hairs,splutter,sputter,squabble,squabble over,take issue with,take sides,tergiversate,thrash out,throb,tiff,try conclusions,war,wave,waver,wrangle,wrangle over 2330 - bickerer,battler,belligerent,belted knight,blade,bravo,brawler,bully,bullyboy,combatant,competitor,contender,contestant,disputant,duelist,enforcer,fencer,feuder,fighter,fighting cock,foilsman,gamecock,gladiator,goon,gorilla,hatchet man,hood,hoodlum,hooligan,jouster,knight,militant,plug-ugly,quarreler,rioter,rival,rough,rowdy,ruffian,sabreur,scrapper,scuffler,squabbler,strong arm,strong-arm man,strong-armer,struggler,swashbuckler,sword,swordplayer,swordsman,thug,tilter,tough,tussler,wrangler 2331 - bickering,Kilkenny cats,aflicker,aggressive,aggressiveness,altercation,apologetics,apologia,apology,argument,argumentation,bellicose,bellicosity,belligerence,belligerent,bicker,blinking,boggling,captious,captiousness,casuistry,cat-and-dog life,caviling,chicane,chicanery,choplogic,combat,combative,combativeness,conflict,contention,contentiousness,contest,contestation,controversy,cut and thrust,dancing,debate,defense,disputation,disputatious,dispute,dissension,dissent,dissidence,divisive,dodging,embroilment,enmity,equivocation,equivocatory,eristic,evasion,evasive,faction,factional,factious,factiousness,fencing,fighting,flak,flashing,flickering,flickery,flicky,fluttering,fluttery,flyting,hairsplitting,hassle,hedging,hostility,hubbub,infighting,irascibility,irascible,irritability,irritable,lambent,litigation,litigious,litigiousness,logic-chopping,logomachy,nit-picking,paltering,paper war,parrying,partisan,partisan spirit,partisanship,passage of arms,pettifoggery,petty,picayune,playing,polarizing,polemic,polemics,prevarication,pugnacious,pugnacity,pussyfooting,quarrel,quarreling,quarrelsome,quarrelsomeness,quibbling,quivering,quivery,rhubarb,row,run-in,scrapping,set-to,shifting,shrewish,shrewishness,shuffling,sidestepping,spat,squabble,squabbling,strife,stroboscopic,struggle,subterfuge,tergiversation,trichoschistic,trichoschistism,trifling,trivial,verbal engagement,war,war of words,warfare,wavering,wavery,words,wrangle,wrangling 2332 - bicolored,bicolor,colorful,colory,crazy,daedal,dichromatic,divers-colored,harlequin,kaleidoscopic,many-colored,medley,motley,multicolor,multicolored,multicolorous,parti-color,parti-colored,polychromatic,polychrome,polychromic,prismal,shot,shot through,spectral,thunder and lightning,trichromatic,trichromic,tricolor,tricolored,two-tone,varicolored,variegated,versicolor,versicolored 2333 - bicorn,Cynthian,S-shaped,corniform,crescent,crescent-shaped,crescentic,crescentiform,crescentlike,falcate,falciform,horn-shaped,horned,lunar,lunate,luniform,lunular,menisciform,meniscoid,moon-shaped,moonlike,semicircular,semilunar,sickle-like,sickle-shaped,sigmoid,two-horned 2334 - bicuspid,baby tooth,biaxial,bicameral,bifid,biform,binocular,binomial,binominal,bipartite,biped,bipetalous,bipinnate,bisexual,bivalent,bucktooth,canine,crown,cuspid,cutter,deciduous tooth,dent,dental,denticle,denticulation,dentiform,dentil,dentition,dentoid,dogtooth,eyetooth,fang,fanged,fore tooth,gagtooth,gang tooth,gold tooth,grinder,incisor,milk tooth,molar,odontoid,peg,permanent tooth,pivot tooth,premolar,scrivello,snag,snaggle-toothed,snaggled,snaggletooth,tooth,toothed,toothlike,toothy,tush,tusk,tusked,unibivalent,wisdom tooth 2335 - bicycle,bike,bus,catch a train,chauffeur,chopper,cycle,drive,entrain,go by rail,iron,joyride,make a train,minibike,motocycle,motor,motorbike,motorcycle,pedal,pedicab,pig,ride,road-bike,take a joyride,taxi,trail bike,tricycle,trike,two-wheeler,velocipede,wheel 2336 - bid come,ask,call,call away,call back,call for,call forth,call in,call out,call together,call up,cite,conjure,conjure up,convene,convoke,demand,evoke,indent,invite,invoke,issue an invitation,muster,muster up,order up,page,preconize,recall,requisition,send after,send for,serve,subpoena,summon,summon forth,summon up,summons 2337 - bid price,asking price,bargain price,bearish prices,bid,book value,bullish prices,call price,cash price,closing price,controlled price,current price,current quotation,cut price,decline,face value,fixed price,flash price,flat rate,flurry,flutter,going price,high,issue par,issue price,list price,low,market price,market value,neat price,net,nominal value,offering price,opening price,package price,par,par value,parity,piece price,price,price list,prices current,put price,quotation,quoted price,rally,recommended price,selling price,settling price,stated value,stock market quotations,swings,trade price,unit price,wholesale price 2338 - bid,adjuration,advance,appeal,approach,ask,asking price,assay,attempt,bargain,bargain price,beat down,beseechment,bid for,bid in,bid price,bid up,biddance,bidding,call,call on,call the signals,call upon,calling,cash price,chaffer,charge,cheapen,clamor,command,commission,controlled price,crack,cry,current price,current quotation,cut price,declare,decree,dicker,dictate,direct,drive a bargain,effort,endeavor,engraved invitation,enjoin,entreaty,essay,experiment,feeler,fixed price,flat rate,fling,gambit,give an order,give the word,go,going price,haggle,higgle,huckster,imploration,imploring,imprecation,instruct,invitation,invite,invocation,invocatory plea,issue a command,issue a writ,jew down,lick,list price,make a bid,make an offer,mandate,market price,move,neat price,negotiate,net,obsecration,obtestation,offer,offer to buy,offering,ordain,order,order about,outbid,overture,package price,piece price,plea,prayer,preliminary approach,presentation,price list,prices current,proclaim,proffer,promulgate,pronounce,quotation,quoted price,recommended price,request,rogation,rule,say the word,selling price,shill,shot,stab,step,stock market quotations,stroke,strong bid,submission,suit,summon,summons,supplication,tell,tentative,tentative approach,trade price,trial,trial and error,try,underbid,undertaking,unit price,warn,whack,wholesale price 2339 - bidding,beck,beck and call,behest,bid,biddance,call,calling,calling forth,charge,command,commandment,convocation,demand,dictate,dictation,direct order,direction,engraved invitation,evocation,hest,imperative,indent,injunction,instruction,invitation,invite,invocation,mandate,nod,order,pleasure,preconization,requisition,say-so,special order,summoning,summons,will,word,word of command 2340 - biddy,Bantam,Jane,Partlet,abigail,amah,au pair girl,ayah,bag,banty,barn-door fowl,barnyard fowl,bat,beldam,betweenmaid,bird,bitch,bossy,broad,broiler,brood mare,brooder,broody hen,capon,chambermaid,chanticleer,chaperon,chick,chickabiddy,chicken,chicky,cock,cockerel,companion,cook,cow,crone,dame,doe,doll,domestic fowl,drab,drake,duck,duckling,duenna,dunghill fowl,ewe,ewe lamb,femme de chambre,fille de chambre,filly,fowl,fryer,game fowl,gander,gentlewoman,girl,gobbler,goose,gosling,guinea cock,guinea fowl,guinea hen,gyp,handmaid,handmaiden,heifer,hen,hen turkey,hind,hired girl,housemaid,jenny,kitchenmaid,lady-help,lady-in-waiting,lioness,live-in maid,live-out maid,maid,maidservant,mare,minx,nanny,nanny goat,nursemaid,parlormaid,partlet,peahen,poulard,poult,poultry,pullet,roaster,roe,rooster,scullery maid,servant girl,servitress,setting hen,she-bear,she-goat,she-lion,skirt,slut,soubrette,sow,spring chicken,stewing chicken,tigress,tom,tom turkey,tomato,trot,turkey,turkey gobbler,upstairs maid,vixen,waiting maid,wench,witch 2341 - bide,abide,abide with,await,bear,bear with,bide the issue,brave,brook,carry on,cease not,continue,continue to be,dally,dawdle,defeat time,defy time,delay,dig,dillydally,drag on,dwell,endure,exist,extend,go along,go on,hang about,hang around,hang in,hang in there,hang out,hang tough,hold,hold everything,hold on,hold out,hold steady,hold your horses,jog on,keep,keep going,keep on,last,last long,last out,linger,live,live on,live through,loiter,lump,lump it,maintain,mark time,never cease,perdure,perennate,persevere,persist,prevail,put up with,remain,run,run on,sit tight,sit up,sit up for,slog on,stagger on,stand,stand for,stay,stay on,stay up,stay up for,stick,stick around,subsist,suffer,support,survive,sustain,sweat,sweat it out,sweat out,take time,take up with,tarry,tide over,tolerate,wait,wait a minute,wait and see,wait for,wait on,wait up for,watch,watch and wait,wear,wear well 2342 - bidet,aquamanile,automatic dishwasher,basin,bath,bathtub,carriage horse,cart horse,cavalry horse,dishpan,dishwasher,draft horse,dray horse,driving horse,ewer,fill horse,filler,finger bowl,gigster,hack,hackney,hunter,jument,kitchen sink,lavabo,lavatory,lead,leader,mount,pack horse,palfrey,piscina,plow horse,pole horse,polo pony,post-horse,remount,rider,riding horse,road horse,roadster,rouncy,saddle horse,saddler,shaft horse,shower,shower bath,shower curtain,shower head,shower room,shower stall,showers,sink,stalking-horse,sumpter,sumpter horse,thill horse,thiller,tub,wash barrel,wash boiler,washbasin,washbowl,washdish,washer,washing machine,washing pot,washpot,washstand,washtub,wheeler,wheelhorse,workhorse 2343 - biennial,amphibian,angiosperm,anniversary,annual,annual holiday,aquatic plant,biannual,bicentenary,bicentennial,bimonthly,birthday,bissextile day,biweekly,catamenial,centenary,centennial,commemoration,cosmopolite,cutting,daily,decennial,deciduous plant,diamond jubilee,dicot,dicotyledon,diurnal,ephemeral,evergreen,exotic,flowering plant,fortnightly,fungus,gametophyte,golden wedding anniversary,gymnosperm,hebdomadal,holy days,hourly,hydrophyte,immovable feast,jubilee,leap year,menstrual,momentary,momently,monocot,monocotyl,monthly,name day,natal day,octennial,perennial,plant,polycot,polycotyl,polycotyledon,quadrennial,quarterly,quasquicentennial,quincentenary,quincentennial,quinquennial,quotidian,secular,seed plant,seedling,semestral,semiannual,semimonthly,semiweekly,semiyearly,septennial,sesquicentennial,sextennial,silver wedding anniversary,spermatophyte,sporophyte,tercentenary,tercentennial,tertian,thallophyte,tricennial,triennial,vascular plant,vegetable,wedding anniversary,weed,weekly,yearly 2344 - biff,bang,bash,bat,beating,belt,blow,bonk,bop,catch,chop,clap,clip,clobber,clout,clump,coldcock,crack,cut,dash,deal,deal a blow,deck,dig,ding,dint,drub,drubbing,drumming,fetch,fetch a blow,fusillade,hit,hit a clip,jab,knock,knock cold,knock down,knock out,let have it,lick,nail,paste,pelt,plunk,poke,pound,punch,rap,slam,slog,slosh,slug,smack,smash,smite,snap,soak,sock,strike,strike at,stroke,swat,swing,swipe,tattoo,thump,thwack,wallop,whack,wham,whop,yerk 2345 - bifocals,Polaroid glasses,blinkers,cheaters,colored glasses,contact lens,dark glasses,divided spectacles,eyeglass,eyeglasses,glasses,goggles,granny glasses,harlequin glasses,horn-rimmed glasses,lorgnette,lorgnon,mini-specs,monocle,nippers,pair of glasses,peepers,quizzing glass,readers,reading glasses,shades,specs,spectacles,sun-specs,sunglasses,trifocals 2346 - bifurcation,Janus,L,ambiguity,ambivalence,angle,apex,arborescence,arborization,bend,bifidity,biforking,biformity,bight,bipartition,bisection,branching,branching off,by two,cant,chevron,coin,conjugation,corner,crank,crook,crotchet,cutting in two,deflection,dichotomy,dimidiation,divarication,division,dogleg,doubleness,doublethink,doubling,dualism,duality,duplexity,duplication,duplicity,elbow,ell,equivocality,fork,forking,furcation,halving,hook,in half,inflection,irony,knee,nook,pairing,point,polarity,quoin,ramification,subdivision,swerve,treelikeness,trifurcation,twinning,two-facedness,twoness,veer,vertex,zag,zig,zigzag 2347 - Big Brother,auditor,boatswain,boss,chief,comptroller,controller,floor manager,floorman,floorwalker,foreman,gaffer,ganger,head,headman,inspector,monitor,noncommissioned officer,overman,overseer,proctor,sirdar,slave driver,straw boss,subforeman,super,superintendent,supervisor,surveyor,taskmaster,visitor 2348 - big business,balance of trade,business,business dealings,commerce,commercial affairs,commercial relations,dealing,dealings,fair trade,free trade,industry,intercourse,market,marketing,mercantile business,merchantry,multilateral trade,reciprocal trade,restraint of trade,small business,the business world,the marketplace,trade,traffic,truck,unilateral trade 2349 - big deal,emptiness,flimsiness,foolishness,frivolity,frivolousness,futility,idleness,inanity,levity,lightness,nugacity,shallowness,silliness,slenderness,slightness,superficiality,triflingness,triteness,triviality,trivialness,vacuity,vanity,vapidity 2350 - Big Dipper,Antlia,Antlia Pneumatica,Apus,Aquarius,Ara,Caela Sculptoris,Caelum,Camelopardus,Cancer,Columba Noae,Corona Australis,Corona Borealis,Corvus,Crater,Crux,Dorado,Draco,Equuleus,Gemini,Grus,Hercules,Horologium,Hydra,Lacerta,Leo,Leo Minor,Lepus,Libra,Little Dipper,Lupus,Lynx,Lyra,Malus,Mensa,Microscopium,Monoceros,Musca,Norma,Northern Cross,Octans,Ophiuchus,Orion,Pegasus,Phoenix,Reticulum,Sagittarius,Scorpius,Sculptor,Scutum,Sextans,Southern Cross,Taurus,Telescopium,Triangulum,Triangulum Australe,Tucana,Ursa Major,Ursa Minor,Vela,Virgo,Volans,Vulpecula,the Balance,the Bull,the Crane,the Cross,the Crow,the Cup,the Dragon,the Fly,the Foal,the Hare,the Indian,the Lion,the Lizard,the Lynx,the Lyre,the Mast,the Octant,the Rule,the Sails,the Sea Serpent,the Serpent,the Serpent Bearer,the Sextant,the Southern Crown,the Swan,the Table,the Telescope,the Toucan,the Twins,the Unicorn,the Virgin,the Water Bearer,the Wolf,the Wreath 2351 - big game,Animalia,and fish,animal kingdom,animal life,animality,beasts,beasts of field,beasts of prey,beasts of venery,birds,brute creation,cattle,domestic animals,fauna,furry creatures,game,kill,livestock,prey,quarry,small game,stock,the hunted,venery,victim,wild animals,wildlife 2352 - big gun,Establishment,VIP,baron,big boy,big cheese,big man,big name,big noise,big shot,big wheel,bigwig,brass,brass hat,celebrity,chief,dignitary,dignity,elder,father,figure,great gun,great man,high-muck-a-muck,important person,interests,leader,lion,lords of creation,magnate,man of mark,mogul,nabob,name,notability,notable,panjandrum,person of renown,personage,personality,pillar of society,power,power elite,ruling circle,sachem,somebody,something,the great,the top,top brass,top people,tycoon,very important person,worthy 2353 - big hand,acclaim,acclamation,applause,burst of applause,cheer,clap,clapping,clapping of hands,eclat,encore,hand,handclap,handclapping,ovation,plaudit,popularity,round of applause,thunder of applause 2354 - big league,big,big-name,big-time,bigwig,bigwigged,consequential,considerable,double-barreled,earthshaking,grand,great,heavyweight,high-powered,important,major,material,momentous,name,self-important,significant,substantial,superior,world-shaking 2355 - big mouth,Captain Bobadil,Gascon,Texan,blower,blowhard,blusterer,boaster,brag,braggadocio,braggart,candor,communicativeness,conversableness,effusion,effusiveness,fanfaron,flow of words,flowing tongue,fluency,fluent tongue,flux de bouche,flux de paroles,flux of words,frankness,garrulity,garrulousness,gasbag,gasconader,gassiness,gift of gab,glibness,gregariousness,gush,gushiness,hector,hot-air artist,long-windedness,loose tongue,loquaciousness,loquacity,miles gloriosus,openness,prolixity,slush,sociability,spate of words,talkativeness,verbosity,volubility,windbag,windiness,windjammer,windy 2356 - big name,Establishment,VIP,baron,big,big gun,big man,big-league,big-time,bigwig,bigwigged,brass,brass hat,celebrity,consequential,considerable,constellation,cynosure,dignitary,dignity,double-barreled,earthshaking,elder,father,figure,folk hero,galaxy,grand,great,great man,heavyweight,hero,heroine,high-powered,idol,immortal,important,important person,interests,lion,lords of creation,luminaries,luminary,magnate,major,man of mark,master spirit,material,mogul,momentous,nabob,name,notability,notable,panjandrum,person of note,person of renown,personage,personality,pillar of society,pleiad,pop hero,popular hero,popular idol,power,power elite,public figure,ruling circle,sachem,self-important,significant,social lion,somebody,something,star,substantial,superior,superstar,the great,the top,top brass,top people,tycoon,very important person,world-shaking,worthy 2357 - big talk,Barnumism,affectation,aggrandizement,amplification,ballyhoo,bedizenment,blowing up,bullshit,bunk,bunkum,burlesque,caricature,convolution,dilatation,dilation,enhancement,enlargement,exaggerating,exaggeration,excess,exorbitance,expansion,extravagance,extreme,fancy talk,fine talk,fish story,flashiness,flatulence,flatulency,fulsomeness,garishness,gas,gaudiness,grandiloquence,grandioseness,grandiosity,heightening,high-flown diction,highfalutin,highfaluting,hot air,huckstering,hyperbole,hyperbolism,inflatedness,inflation,inordinacy,lexiphanicism,loftiness,luridness,magnification,magniloquence,mere rhetoric,meretriciousness,orotundity,ostentation,ostentatious complexity,overemphasis,overestimation,overkill,overstatement,platitudinous ponderosity,polysyllabic profundity,pomposity,pompous prolixity,pompousness,pontification,pretension,pretentiousness,prodigality,profuseness,prose run mad,puffery,puffing up,rhetoric,rhetoricalness,sensationalism,sententiousness,showiness,stiltedness,stretching,superlative,swelling utterance,swollen phrase,swollenness,tall story,tall talk,tortuosity,tortuousness,touting,travesty,tumidity,tumidness,turgescence,turgidity 2358 - big talker,agreeable rattle,babbler,blab,blabberer,blatherer,chatterbox,chatterer,gabber,gabbler,gasbag,gibble-gabbler,great talker,hot-air artist,idle chatterer,jabberer,jay,magpie,moulin a paroles,patterer,prater,prattler,rattle,windbag,windjammer,word-slinger 2359 - big time operator,BMOC,activist,ball of fire,beaver,big cheese,big noise,big shot,big wheel,big-timer,bustler,busy bee,doer,eager beaver,enthusiast,go-getter,high-muck-a-muck,his nibs,human dynamo,hustler,live wire,man of action,man of deeds,militant,new broom,operator,political activist,powerhouse,take-charge guy,wheel,wheeler-dealer,winner 2360 - big time,action,ball,big,big-league,big-name,bigwig,bigwigged,consequential,considerable,double-barreled,earthshaking,fun,fun and games,funmaking,game,good time,grand,great,great fun,heavyweight,high old time,high time,high-powered,important,laughs,lovely time,major,material,momentous,name,picnic,play,pleasant time,self-important,significant,sport,substantial,superior,world-shaking 2361 - big top,burlesque show,carnival,circus,coochie show,fantoccini,floor show,galanty show,girly show,hootchy-kootchy show,leg show,light show,magic show,ombres chinoises,peep show,puppet show,raree-show,rep show,repertory show,rodeo,shadow show,sideshow,the big top,variety show,vaudeville show 2362 - big wheel,BMOC,Rasputin,Svengali,VIP,access,bad influence,big boy,big cheese,big gun,big noise,big shot,big-time operator,big-timer,bigwig,chief,court,eminence grise,five-percenter,friend at court,good influence,gray eminence,heavyweight,hidden hand,high-muck-a-muck,his nibs,influence,influence peddler,influencer,ingroup,key,kingmaker,lobby,lobbyist,lords of creation,man of influence,manipulator,open sesame,powers that be,pressure group,sinister influence,special interests,special-interest group,the Establishment,very important person,wheel,wheeler-dealer,wire-puller 2363 - big,adult,aggrandized,ample,apotheosized,arrogant,arty,awash,awesome,awful,awfully,beatified,benevolent,big boy,big cheese,big noise,big shot,big-league,big-name,big-time,bighearted,bigwig,bigwigged,bombastic,brimful,brimming,bull,bumper,canonized,capacious,chivalrous,chock-full,cloyed,clumsy,commodious,comprehensive,condescending,consequential,considerable,considerate,copious,crammed,crowded,damned,deified,distended,domineering,double-barreled,earthshaking,elevated,eminent,ennobled,enshrined,enthroned,exalted,excellent,expectant,expecting,extensive,extravagant,extremely,fat,flushed,full to bursting,gassy,generous,glorified,glutted,gone,goodly,grand,gravid,great,great gun,great of heart,greathearted,greatly,grown,grown-up,handsome,haughty,healthy,heavy,heavyweight,hefty,held in awe,heroic,high,high and mighty,high-faluting,high-flown,high-headed,high-minded,high-nosed,high-powered,high-sounding,high-swelling,highfalutin,highfaluting,hoity-toity,hugely,hulking,husky,idealistic,immortal,immortalized,important,imposing,inflated,knightly,large,large-scale,largehearted,liberal,lion,lofty,magnanimous,magnified,major,man-sized,marriable,marriageable,material,mature,maturescent,meaningful,mighty,momentous,much,name,noble,noble-minded,nubile,numerous,of age,of marriageable age,old,openhanded,overbearing,overblown,overflowing,packed,parturient,patronizing,pretentious,princely,proud,purse-proud,replete,roomy,sainted,sanctified,sated,satiated,satisfied,self-important,shrined,significant,sizable,spacious,stuck-up,stuffed,sublime,substantial,supereminent,superior,swollen,tall,throned,tidy,toplofty,unwieldy,uppish,uppity,upstage,voluminous,weighty,whacking,whopping,windy,world-shaking 2364 - bigamy,beena marriage,common-law marriage,companionate marriage,concubinage,deuterogamy,left-handed marriage,levirate,leviration,love match,marriage of convenience,monandry,monogamy,monogyny,morganatic marriage,picture marriage,polyandry,polygamy,polygyny,trial marriage,trigamy 2365 - biggety,aggressively self-confident,bluff,bold,brash,bumptious,cheeky,chesty,chutzpadik,cocky,conceited,contemptuous,crusty,derisive,disrespectful,facy,flip,flippant,forward,fresh,gally,gratuitous,immodest,impertinent,impudent,know-it-all,malapert,nervy,obtrusive,overwise,peacockish,peacocky,perk,perky,pert,procacious,puffed up,rude,sassy,saucy,self-conceited,self-opinionated,smart,smart-alecky,smart-ass,stuck-up,swelled-headed,uncalled-for,wise-ass 2366 - bighearted,almsgiving,altruistic,beneficent,benevolent,big,bounteous,bountiful,charitable,chivalrous,eleemosynary,elevated,exalted,free,freehanded,freehearted,generous,giving,gracious,great,great of heart,greathearted,handsome,heroic,high,high-minded,hospitable,humanitarian,idealistic,knightly,large,largehearted,lavish,liberal,lofty,magnanimous,munificent,noble,noble-minded,open,openhanded,openhearted,philanthropic,princely,profuse,stintless,sublime,ungrudging,unselfish,unsparing,unstinted,unstinting,welfare,welfare statist,welfarist 2367 - bight,L,angle,apex,arm,armlet,bay,bayou,belt,bend,bifurcation,boca,cant,chevron,coin,corner,cove,crank,creek,crook,crotchet,deflection,dogleg,elbow,ell,estuary,euripus,fjord,fork,frith,furcation,gulf,gut,harbor,hook,inflection,inlet,knee,kyle,loch,mouth,narrow,narrow seas,narrows,natural harbor,nook,point,quoin,reach,road,roads,roadstead,slough,sound,strait,straits,swerve,veer,vertex,zag,zig,zigzag 2368 - bigot,Anglophobe,Russophobe,approver,ass,bitter-ender,bug,bullethead,chauvinist,diehard,doctrinaire,dogmatist,dogmatizer,donkey,fanatic,fiend,freak,hardnose,hater,illiberal,infallibilist,intolerant,intransigeant,intransigent,jingo,last-ditcher,male chauvinist,man-hater,maniac,maverick,misanthrope,misanthropist,misogynist,mule,nut,opinionist,perverse fool,pig,pighead,positivist,purist,racist,sexist,standpat,standpatter,stickler,superpatriot,ultranationalist,woman-hater,xenophobe,zealot 2369 - bigoted,Sabbatarian,authoritarian,balking,balky,biased,bigot,borne,bulldogged,bulletheaded,bullheaded,case-hardened,closed,conceited,conservative,constricted,cramped,creedbound,deaf,deaf to reason,doctrinaire,doctrinarian,dogged,dogmatic,dogmatizing,evangelical,extravagant,extreme,extremist,fanatic,fanatical,fundamentalist,haggard,hardheaded,headstrong,hidebound,hyperorthodox,illiberal,inordinate,insular,intolerant,irrational,jaundiced,lily-white,literalist,literalistic,little,little-minded,mean,mean-minded,mean-spirited,mulish,narrow,narrow-hearted,narrow-minded,narrow-souled,narrow-spirited,nearsighted,obstinate,one-sided,opinionated,opinionative,opinioned,oracular,overenthusiastic,overreligious,overzealous,parochial,partial,peremptory,perfervid,persevering,pertinacious,petty,pigheaded,pontifical,positive,positivistic,precisianist,precisianistic,prejudiced,pronunciative,provincial,purblind,purist,puristic,puritanical,rabid,restive,self-opinionated,self-opinioned,self-willed,set,shortsighted,small,small-minded,staunch,stiff-necked,straitlaced,strict,strong-willed,strongheaded,stubborn,stuffy,sulky,sullen,tenacious,ultrazealous,uncatholic,uncharitable,uncooperative,ungenerous,unliberal,unreasonable,unregenerate,wild-eyed,wild-looking,willful,zealotic 2370 - bigotry,Anglophobia,Russophobia,Sabbatarianism,abhorrence,abomination,anti-Semitism,antipathy,authoritarianism,aversion,balkiness,bias,bibliolatry,blind side,blind spot,blinders,bullheadedness,closed mind,cramped ideas,despitefulness,determination,detestation,dislike,doggedness,dogmaticalness,dogmatism,evangelicalism,excessiveness,execration,extravagance,extremeness,extremism,fanaticalness,fanaticism,fixed mind,fundamentalism,hardheadedness,hate,hatred,headstrongness,hideboundness,hyperorthodoxy,illiberality,infallibilism,inflexible will,insularism,insularity,intolerance,literalism,little-mindedness,littleness,loathing,malevolence,malice,malignity,mean mind,meanness,misandry,misanthropy,misogyny,mulishness,narrow sympathies,narrow views,narrow-mindedness,narrowness,nearsightedness,obduracy,obstinacy,obstinateness,odium,odium theologicum,opinionatedness,overenthusiasm,overreaction,overreligiousness,overzealousness,parochialism,partiality,peremptoriness,perfervidness,perseverance,pertinacity,pettiness,petty mind,pigheadedness,positiveness,positivism,precisianism,prejudice,provincialism,purblindness,purism,puritanicalness,puritanism,rabidness,race hatred,racism,repugnance,restiveness,sabbatism,scripturalism,self-opinionatedness,self-will,shortsightedness,shut mind,smallness,spite,spitefulness,staunchness,stiff neck,stiff-neckedness,straitlacedness,strict interpretation,strictness,strongheadness,stubbornness,stuffiness,sulkiness,sullenness,tenaciousness,tenacity,ultrazealousness,uncatholicity,uncooperativeness,unregenerateness,vials of hate,vials of wrath,willfulness,xenophobia,zealotism,zealotry 2371 - bigwig,Establishment,VIP,aristocracy,baron,barons,big boy,big cheese,big gun,big man,big name,big noise,big shot,big wheel,bigwigs,boss,brass,brass hat,celebrity,chief,cream,dignitary,dignity,elder,elite,establishment,father,figure,great man,hotshot,important person,interests,king,kingpin,lion,lords of creation,magnate,man of mark,mogul,nabob,name,nobility,notability,notable,overlapping,panjandrum,person of renown,personage,personality,pillar of society,power,power elite,power structure,queen,ruling circle,ruling circles,ruling class,sachem,somebody,something,the best,the best people,the brass,the great,the top,top brass,top people,tycoon,upper class,upper crust,very important person,worthy 2372 - bijou,anklet,armlet,bangle,beads,bracelet,breastpin,brooch,chain,chaplet,charm,chatelaine,circle,coronet,crown,diadem,earring,fob,gem,jewel,locket,necklace,nose ring,pin,precious stone,rhinestone,ring,stickpin,stone,tiara,torque,wampum,wristband,wristlet 2373 - bike,bicycle,bus,catch a train,chauffeur,chopper,cycle,drive,entrain,go by rail,iron,joyride,make a train,minibike,motocycle,motor,motorbike,motorcycle,pedal,pedicab,pig,ride,road-bike,take a joyride,taxi,trail bike,tricycle,trike,two-wheeler,velocipede,wheel 2374 - bilabial,accented,allophone,alveolar,apical,apico-alveolar,apico-dental,articulated,articulation,aspiration,assimilated,assimilation,back,barytone,broad,cacuminal,central,cerebral,check,checked,close,consonant,consonantal,continuant,dental,diphthong,dissimilated,dissimilation,dorsal,epenthetic vowel,explosive,flat,front,glide,glossal,glottal,glottalization,guttural,hard,heavy,high,intonated,labial,labialization,labiodental,labiovelar,laryngeal,lateral,lax,light,lingual,liquid,low,manner of articulation,mid,modification,monophthong,monophthongal,morphophoneme,mute,muted,narrow,nasal,nasalized,occlusive,open,oxytone,palatal,palatalized,parasitic vowel,peak,pharyngeal,pharyngealization,pharyngealized,phone,phoneme,phonemic,phonetic,phonic,pitch,pitched,plosive,posttonic,prothetic vowel,retroflex,rounded,segmental phoneme,semivowel,soft,sonant,sonority,speech sound,stop,stopped,stressed,strong,surd,syllabic,syllabic nucleus,syllabic peak,syllable,tense,thick,throaty,tonal,tonic,transition sound,triphthong,twangy,unaccented,unrounded,unstressed,velar,vocable,vocalic,vocoid,voice,voiced,voiced sound,voiceless,voiceless sound,voicing,vowel,vowellike,weak,wide 2375 - bilateral,Janus-like,ambidextrous,bifacial,bifold,biform,bifurcated,binary,binate,biparous,bipartisan,bipartite,bivalent,conduplicate,dichotomous,dihedral,disomatous,double,double-faced,duadic,dual,dualistic,duple,duplex,duplicate,duplicated,dyadic,flanked,geminate,geminated,handed,identical,lateral,many-sided,matched,multilateral,one-sided,polyhedral,quadrilateral,second,secondary,sided,tetrahedral,three-sided,trihedral,trilateral,triquetrous,twain,twin,twinned,two,two-faced,two-level,two-ply,two-sided,two-story,twofold,unilateral 2376 - bile,absorption,acerbity,acid,acidity,acidulousness,acrimony,anger,animosity,asperity,assimilation,autacoid,bad humor,bad temper,biliousness,bitter resentment,bitterness,bitterness of spirit,causticity,chalone,choler,corrosiveness,digestion,digestive secretion,digestive system,discontent,endocrine,gall,gastric juice,gastrointestinal tract,gnashing of teeth,hard feelings,heartburning,hormone,ill humor,ill nature,ill temper,ingestion,intestinal juice,liver,mucus,pancreas,pancreatic digestion,pancreatic juice,predigestion,prostatic fluid,rancor,rankling,rheum,saliva,salivary digestion,salivary glands,salivary secretion,secondary digestion,semen,slow burn,soreness,sourness,sperm,spleen,tears,thyroxin,virulence 2377 - bilge,balderdash,baloney,bilgewater,blah,blah-blah,blain,bleb,blister,blob,bop,bosh,boss,bow,bubble,bulb,bulge,bull,bulla,bullshit,bump,bunch,bunk,bunkum,burl,bushwa,button,cahot,carrion,chine,clump,condyle,convex,crap,dishwater,ditchwater,dowel,ear,flange,flap,flapdoodle,gall,garbage,gas,gnarl,guff,gup,handle,hill,hogwash,hokum,hooey,hot air,hump,hunch,jog,joggle,knob,knot,knur,knurl,lip,loop,lump,malarkey,mole,moonshine,mountain,nevus,nub,nubbin,nubble,offal,offscourings,papilloma,peg,piffle,poppycock,refuse,rib,ridge,riffraff,ring,rot,rubbish,scat,scum,scurf,sewage,sewerage,shit,shoulder,slop,slops,slough,spine,stud,style,swill,tab,tommyrot,trash,tripe,tubercle,tubercule,verruca,vesicle,wale,wart,welt,wind 2378 - bilious,allergic,anemic,angry,apoplectic,arthritic,bad-tempered,bitter,cancerous,chlorotic,choleric,colicky,consumptive,cross,dropsical,dyspeptic,edematous,embittered,encephalitic,epileptic,ill-natured,ill-tempered,jaundiced,laryngitic,leprous,luetic,malarial,malignant,measly,nephritic,neuralgic,neuritic,palsied,paralytic,peevish,petulant,phthisic,pleuritic,pneumonic,pocky,podagric,rachitic,rheumatic,rickety,scorbutic,scrofulous,sour,sour-tempered,soured,tabetic,tabid,testy,tetchy,tubercular,tuberculous,tumorigenic,tumorous,vinegarish,wrathful 2379 - bilk,avoid,baffle,balk,beat,beguile of,bunco,burn,cast down,cheat,chisel,chouse,chouse out of,circumvent,cog,cog the dice,con,cozen,crib,cross,dash,defeat,defeat expectation,defraud,diddle,disappoint,disillusion,dissatisfy,do,do in,do out of,dodge,double,duck,elude,eschew,euchre,evade,finagle,flam,fleece,flimflam,fob,foil,frustrate,fudge,gouge,gull,gyp,have,hocus,hocus-pocus,let down,mulct,overreach,pack the deal,pigeon,practice fraud upon,rook,ruin,scam,screw,sell gold bricks,shake,shave,shortchange,shun,shy,stack the cards,stick,sting,swindle,take a dive,tantalize,tease,thimblerig,throw a fight,thwart,victimize 2380 - bill collector,accumulator,collection agent,collector,connoisseur,credit man,creditor,creditress,debtee,douanier,dun,dunner,exciseman,farmer,gatherer,magpie,miser,mortgage-holder,mortgagee,note-holder,pack rat,tax collector 2381 - bill of fare,account,agenda,batting order,bill,bill of lading,blueprint,books,budget,calendar,card,carte,carte du jour,docket,invoice,ledger,lineup,list of agenda,manifest,menu,playbill,program,program of operation,programma,prospectus,protocol,roster,schedule,slate,statement 2382 - bill of health,affidavit,attestation,authority,authorization,certificate,certificate of proficiency,certification,clearance,credential,deposition,diploma,full pratique,navicert,notarized statement,note,pass,passport,pratique,protection,safe-conduct,safeguard,sheepskin,sworn statement,testamur,testimonial,ticket,visa,vise,voucher,warrant,warranty,witness 2383 - bill of particulars,accusal,accusation,accusing,allegation,allegement,arraignment,blame,bringing of charges,bringing to book,charge,complaint,count,delation,denouncement,denunciation,impeachment,implication,imputation,indictment,information,innuendo,insinuation,lawsuit,laying of charges,plaint,prosecution,reproach,suit,taxing,true bill,unspoken accusation,veiled accusation 2384 - Bill of Rights,Declaration of Right,Magna Carta,Magna Charta,Petition of Right,civil liberties,civil rights,constitution,constitutional amendment,constitutional guarantees,constitutional rights,human rights,legal rights,natural rights,right,rights,unalienable rights,unwritten constitution,written constitution 2385 - bill,CD,Federal Reserve note,IOU,MO,acceptance,acceptance bill,account,accounts payable,accounts receivable,act,advertise,affiche,affidavit,agenda,allegation,allowance,amount due,antlia,assessment,assignat,bad debts,ballyhoo,bank acceptance,bank check,bank note,banknote,bark,batting order,be a gas,be a hit,beak,beezer,benefit,bill of account,bill of complaint,bill of draft,bill of exchange,bill of fare,bill of lading,bills,blackmail,blank check,blood money,blueprint,bomb,bone,book,books,boost,borrowing,breakwater,buck,budget,bugle,build up,bulletin,bylaw,calendar,call,call in,canon,cape,card,carte,carte du jour,certificate,certificate of deposit,certified check,charge,charges,check,checkbook,cheque,chersonese,chits,circularize,claim,clause,commercial paper,companion bills amendment,complaint,conk,coral reef,cry up,damage,debenture,debt,debut,declaration,decree,delta,demand bill,demand draft,demand payment,deposition,dictate,dictation,docket,dollar bill,draft,dragnet clause,dramatize,due,due bill,dues,dun,edict,emolument,enacting clause,enactment,entertainment,escalator clause,establish,exchequer bill,exhibit,exhibition,fail,farewell performance,feature,fee,fiat money,financial commitment,fish,flesh show,floating debt,flop,folding money,footing,foreland,form,formality,formula,formulary,fractional note,frogskin,funded debt,give a write-up,give publicity,government note,handbill,head,headland,headline,hold-up bill,hook,hush money,indebtedness,indebtment,initiation fee,institution,invoice,iron man,itemized bill,jaws,joker,jus,law,ledger,legal-tender note,legislation,letter of credit,lex,liability,libel,line up,lineup,list of agenda,make a hit,manifest,maturity,measure,melodramatize,menu,mileage,money order,motion,mount,muffle,mull,muzzle,nares,narratio,national bank note,national debt,naze,neb,negotiable instrument,negotiable note,ness,nib,nolle prosequi,nonsuit,nose,nostrils,note,note of hand,nozzle,obligation,olfactory organ,omnibus bill,open,open a show,ordinance,ordonnance,outstanding debt,paper,paper money,peak,pecker,peninsula,performance,placard,playbill,pledge,plug,point,post,post bills,post up,postal order,premiere,prescript,prescription,present,presentation,presentment,press-agent,preview,privileged question,proboscis,produce,production,program,program of operation,programma,promissory note,promontory,promote,prospectus,protocol,proviso,public debt,publicize,puff,put on,question,reckoning,reef,regulation,retainer,retaining fee,rhinarium,rider,roster,rostrum,rubric,rule,ruling,sandspit,saving clause,scenarize,schedule,schnozzle,score,scot,scrip,sell,send a statement,set the stage,shinplaster,show,sight bill,sight draft,skin,slate,smacker,smeller,snoot,snout,spiel,spit,spur,stage,stage presentation,standing order,star,statement,statement of facts,statute,stipend,succeed,swan song,tab,tabulation,tally,theatrical performance,theatricalize,time bill,time draft,tongue,trade acceptance,treasury bill,treasury note,tribute,trunk,try out,tryout,uncollectibles,unfulfilled pledge,voucher,warrant,write up 2386 - billed,Roman-nosed,aquiline,aquiline-nosed,beak-nosed,beak-shaped,beaked,bill-like,bill-shaped,booked,clawlike,crookbilled,crooked,crooknosed,down-curving,hamate,hamiform,hamulate,hooked,hooklike,parrot-nosed,rhamphoid,rostrate,rostriform,scheduled,slated,to come,unciform,uncinate,unguiform 2387 - billet doux,Pastoral Epistle,aerogram,air letter,airgraph,bull,chain letter,dead letter,dimissorial,dimissory letter,drop letter,encyclical,fan letter,form letter,letter of credit,letter of introduction,letters credential,letters of marque,letters of request,letters overt,letters patent,letters rogatory,love letter,mash note,monitory,newsletter,nixie,open letter,pastoral letter,poison-pen letter,round robin,valentine 2388 - billet,achievement,acknowledgment,alerion,anchor,animal charge,annulet,answer,appointment,argent,armorial bearings,armory,arms,azure,bandeau,bar,bar sinister,baton,beam,bearings,bed,bend,bend sinister,berth,bestow,billet at,bivouac,blazon,blazonry,board,boarding,bordure,broad arrow,bunk,burrow,business letter,cadency mark,camp,canton,chaplet,charge,chevron,chief,chit,clapboard,coat of arms,cockatrice,colonize,come to anchor,communication,connection,cord,cordwood,coronet,crescent,crest,cross,cross moline,crown,deal,device,difference,differencing,dispatch,domesticate,domicile,domiciliate,driftwood,drop anchor,eagle,employment,engagement,ensconce,entertain,epistle,ermine,ermines,erminites,erminois,escutcheon,establish residence,falcon,favor,fess,fess point,field,file,firewood,flanch,fleur-de-lis,fret,fur,fusil,garland,gig,griffin,gules,gyron,harbor,hardwood,hatchment,helmet,heraldic device,hive,honor point,house,hut,impalement,impaling,incumbency,inescutcheon,ingot,inhabit,job,keep house,label,lath,lathing,lathwork,letter,line,lion,live at,locate,lodge,log,lozenge,lumber,mantling,marshaling,martlet,mascle,message,metal,missive,moonlighting,moor,motto,move,mullet,nest,nombril point,note,octofoil,office,opening,or,ordinary,orle,pale,paly,panelboard,paneling,panelwork,park,pean,people,perch,pheon,place,plank,planking,plyboard,plywood,pole,populate,position,post,puncheon,purpure,put up,quarter,quartering,relocate,reply,rescript,reside,rod,room,roost,rose,sable,saltire,scutcheon,second job,service,set up housekeeping,set up shop,settle,settle down,shake,sheathing,sheathing board,sheeting,shelter,shield,shingle,sideboard,siding,sit down,situation,slab,slat,softwood,splat,spot,spread eagle,squat,stable,stand,station,stave,stay at,stick,stick of wood,stovewood,strike root,strip,subordinary,take residence at,take root,take up residence,tenne,tenure,three-by-four,timber,timbering,timberwork,tincture,torse,tressure,two-by-four,unicorn,vacancy,vair,vert,weatherboard,wood,wreath,yale 2389 - billion,a billion,a crore,a lakh,a million,a myriad,a nonillion,a quadrillion,a thousand,a zillion,astronomical number,googol,googolplex,infinitude,infinity,jillion,large number,milliard,trillion,zillion 2390 - billionaire,Daddy Warbucks,bloated plutocrat,capitalist,fat cat,man of means,man of substance,man of wealth,millionaire,moneybags,moneyed man,multimillionaire,nabob,parvenu,plutocrat,rich man,richling,warm man,wealthy man 2391 - billow,bag,balloon,be poised,belly,belly out,bilge,bore,bouge,break,breakers,bug,bulge,chop,choppiness,chopping sea,comb,comber,crash,dash,dilate,dirty water,distend,eagre,ebb and flow,goggle,gravity wave,ground swell,heave,heavy sea,heavy swell,lift,lop,peak,pooch,pop,popple,pouch,pout,riffle,ripple,rise,rise and fall,roll,roller,rough water,round out,scend,sea,send,smash,surf,surge,swell,swell out,tidal bore,tidal wave,tide wave,toss,trough,tsunami,undulate,undulation,water wave,wave,wavelet,white horses,whitecaps 2392 - billowy,bagging,baggy,ballooning,bellying,bent,billowing,bloated,bosomy,bulbose,bulbous,bulging,bumped,bumpy,bunched,bunchy,curvaceous,curvate,curvated,curve,curved,curvesome,curviform,curvilineal,curvilinear,curving,curvy,distended,geosynclinal,hillocky,hummocky,incurvate,incurvated,incurved,incurving,labyrinthine,mazy,meandering,moutonnee,pneumatic,potbellied,pouching,recurvate,recurvated,recurved,recurving,rolling,rounded,serpentine,sinuous,surgy,swelling,tortuous,undulant,undulate,undulated,undulating,undulative,undulatory,verrucated,verrucose,warty,wavy 2393 - billy goat,billy,boar,bubbly-jock,buck,bull,bullock,chanticleer,cock,cockerel,doe,doeling,dog,drake,entire,entire horse,gander,goat,gobbler,hart,he-goat,kid,mountain goat,nanny,nanny goat,peacock,ram,rooster,she-goat,stag,stallion,steer,stot,stud,studhorse,tom,tom turkey,tomcat,top cow,top horse,tup,turkey gobbler,turkey-cock,wether 2394 - bin,archives,armory,arsenal,attic,bank,basement,bay,bonded warehouse,bookcase,box,bunker,buttery,cargo dock,cellar,chest,closet,conservatory,crate,crib,cupboard,depository,depot,dock,drawer,dump,exchequer,glory hole,godown,hold,hutch,library,locker,lumber room,lumberyard,magasin,magazine,rack,repertory,repository,reservoir,rick,shelf,stack,stack room,stock room,storage,store,storehouse,storeroom,supply base,supply depot,tank,treasure house,treasure room,treasury,vat,vault,warehouse,wine cellar 2395 - binary,Janus-like,ambidextrous,bifacial,bifold,biform,bilateral,binate,biparous,bivalent,conduplicate,disomatous,double,double-barreled,double-faced,dual,dualistic,duple,duplex,duplicate,geminate,geminated,second,secondary,twin,twinned,two-faced,two-level,two-ply,two-sided,two-story,twofold 2396 - bind up,bale,band,bandage,belt,bend,bind,brace,bundle,bundle up,chain,cinch,do up,gird,girdle,girt,girth,lace,lash,leash,pack,package,parcel,roll up,rope,splice,strap,swaddle,swathe,tie,tie up,truss,truss up,wire,wrap,wrap up 2397 - bind,accept obligation,adjoin,afterthought,agglutinate,agree to,ally,anchor,annoyance,answer for,apply,apprentice,article,associate,attach,band,bandage,bar,be answerable for,be responsible for,be security for,befringe,belt,bend,bind over,bind up,block,block up,blockade,blockage,border,bore,bother,bound,brace,bracket,braze,bridle,bundle,bung,bureaucratic delay,caulk,cause,cause to,cement,chain,chink,choke,choke off,choke up,cinch,clog,clog up,clutch,commit,compel,complication,congest,connect,constipate,constrain,contract,cork,correlate,couple,cover,crunch,dam,dam up,delay,delayage,delayed reaction,detention,dilemma,do up,double take,dragging,draw a parallel,drive,edge,embarrassing position,embarrassment,enchain,encircle,enforce,enframe,engage,entrammel,equate,fasten,fetter,fill,fill up,fine how-do-you-do,fix,force,foul,frame,fringe,fuse,gird,girdle,girt,girth,glue,go bail for,gum,gyve,halt,hamper,handcuff,hang-up,have,have an understanding,hell to pay,hem,hindrance,hobble,hog-tie,hold,holdup,hopple,hot water,how-do-you-do,identify,imbroglio,impel,indenture,interim,interrelate,irritant,irritation,jam,lace,lag,lagging,lap,lash,leash,line,link,list,logjam,make,make fast,make imperative,make incumbent,manacle,march,marge,margin,marginate,mess,mix,moor,morass,moratorium,obligate,oblige,obstipate,obstruct,obstruction,ordeal,pack,paperasserie,parallel,parallelize,parlous straits,pass,paste,pause,peg down,picket,pickle,pin down,pinch,pinion,pledge,plight,plug,plug up,predicament,pretty pass,pretty pickle,pretty predicament,purfle,purl,put in irons,quagmire,quicksand,red tape,red-tapeism,red-tapery,relate,relativize,reprieve,require,respite,restrain,retardance,retardation,rim,rope,saddle with,scrape,secure,set off,shackle,shake hands on,side,skirt,slough,slow-up,slowdown,slowness,solder,spile,splice,spot,squeeze,stanch,stay,stay of execution,stench,stew,stick,stick together,sticky wicket,stop,stop up,stoppage,stopper,stopple,strait,straitjacket,straits,strap,stuff,stuff up,suspension,swaddle,swamp,swathe,take the vows,tether,tie,tie down,tie up,tie-up,tight spot,tight squeeze,tightrope,time lag,trammel,trial,tricky spot,trim,truss,undertake,unholy mess,use force upon,verge,vexation,wait,wed,weld,wire,wrap,wrap up,wreathe 2398 - binder,Ace bandage,Band-Aid,acquitment,acquittal,acquittance,adhesive tape,amortization,amortizement,application,band,bandage,bandaging,binding,brace,cash,cash payment,cast,cataplasm,clearance,compress,cotton,court plaster,cravat,debt service,defrayal,defrayment,deposit,disbursal,discharge,doling out,down payment,dressing,dust jacket,earnest,earnest money,elastic bandage,envelope,envelopment,epithem,four-tailed bandage,gauze,gift wrapping,hire purchase,hire purchase plan,installment,installment plan,interest payment,jacket,lint,liquidation,monthly payments,never-never,paying,paying off,paying out,paying up,payment,payment in kind,payoff,plaster,plaster cast,pledget,poultice,prepayment,quarterly payments,quittance,regular payments,remittance,retirement,roller,roller bandage,rubber bandage,satisfaction,settlement,sinking-fund payment,sling,splint,sponge,spot cash,stupe,tampon,tape,tent,tourniquet,triangular bandage,weekly payments,wrap,wrapper,wrapping 2399 - binding,Smyth sewing,absolute,adhesive,affixation,annexation,attachment,authoritative,backing,bandage,bandaging,beading,bibliopegy,binder,binder board,bond,book cloth,book cover,book jacket,bookbinding,bookcase,bordering,bordure,canonical,case,casemaking,casing-in,clasping,cogent,collating,collating mark,combinative,communicating,compulsory,conclusive,conjunctive,connecting,connectional,connective,consistent,copulative,cover,de rigueur,decisive,decretory,dictated,didactic,dust cover,dust jacket,edging,entailed,envelope,envelopment,fastener,fastening,fimbria,fimbriation,final,flounce,folding,footband,formulary,frill,frilling,fringe,furbelow,galloon,gathering,gift wrapping,girding,gluing-off,good,hard and fast,hard binding,hard-and-fast,headband,hem,hooking,imperative,imperious,imposed,inevitable,instructive,intercommunicating,involuntary,irrevocable,jacket,joining,just,knot,lashing,lawful,legal,legitimate,library binding,ligation,lining,lining-up,linking,list,logical,mandated,mandatory,mechanical binding,meeting,motif,must,necessary,niggerhead,obligatory,official,peremptory,perfect binding,plastic binding,preceptive,prescribed,prescript,prescriptive,regulation,required,rounding,rubric,ruffle,saddle stitching,self-consistent,selvage,sewing,side sewing,signature,skirting,slipcase,slipcover,smashing,soft binding,solid,sound,spiral binding,splice,stamping,standard,stapling,statutory,sticking,substantial,sufficient,tailband,tieing,tipping,trimming,ultimate,valance,valid,weighty,well-founded,well-grounded,welt,wire stitching,without appeal,wrap,wrapper,wrapping,zipping 2400 - binge,bacchanal,bacchanalia,bacchanalian,bat,bender,blast,blowout,booze,bout,brannigan,bum,bust,carousal,carouse,celebration,compotation,debauch,drinking bout,drunk,drunken carousal,escapade,fling,guzzle,jag,lark,orgy,ploy,potation,pub-crawl,rampage,randan,randy,revel,soak,souse,splurge,spree,symposium,tear,time,toot,wassail,wingding 2401 - bingo,Monopoly,Ping-Pong,Rugby,Scrabble,archery,association football,backgammon,badminton,bagatelle,ball,bandy,baseball,basketball,battledore and shuttlecock,beano,billiards,bowling,bowls,boxing,card games,cat,catch,charades,checkers,chess,chuck and toss,chuck farthing,chuck-a-luck,class lottery,climbing,crack-loo,crambo,crap game,crap shooting,craps,cricket,croquet,curling,discus,dominoes,draft lottery,draughts,drawing,fishing,fives,football,ghost,gliding,go,golf,grab bag,handball,hazard,hide-and-seek,hiking,hockey,hopscotch,horse racing,horseshoes,hunting,hurdling,ice hockey,interest lottery,jacks,jackstones,jackstraws,keno,lacrosse,lawn tennis,leapfrog,lottery,lotto,luging,marbles,merels,motorcycling,mountaineering,mumble-the-peg,ninepins,number lottery,numbers pool,pall-mall,pallone,pelota,pinball,pitch and toss,policy,polo,pool,post office,pushball,pyramids,quintain,quoits,racquets,raffle,riding,roller skating,rouge et noir,roulette,rounders,rowing,sailing,sailplaning,sculling,shell game,shinny,shooting,shot-put,shuffleboard,skating,skeet,skeet shooting,ski-jumping,skiing,skin-diving,skittles,sledding,snooker,snorkel diving,snowmobiling,soccer,softball,sports,squash,stickball,surfing,sweep,sweepstake,sweepstakes,table tennis,tennis,tenpins,tent pegging,tetherball,the numbers,the numbers game,ticktacktoe,tiddlywinks,tilting,tipcat,tivoli,tobogganing,tombola,tontine,trapshooting,trente-et-quarante,tug of war,volleyball,water polo,waterskiing,wrestling 2402 - binomial,Linnaean,biaxial,bicameral,bicuspid,bifid,biform,binocular,binominal,bipartite,biped,bipetalous,bipinnate,bisexual,bivalent,classificatory,nomenclatural,onomastic,orismological,taxonomic,terminological,toponymic,toponymous,trinomial,unibivalent 2403 - biochemical,acid,acidity,agent,alkali,alkalinity,alloisomer,anion,antacid,atom,base,basic,cation,chemical,chemical element,chemicobiological,chemicoengineering,chemicomineralogical,chemicophysical,chemurgic,chromoisomer,compound,copolymer,copolymeric,copolymerous,dimer,dimeric,dimerous,electrochemical,element,elemental,elementary,heavy chemicals,heteromerous,high polymer,homopolymer,hydracid,inorganic chemical,ion,isomer,isomerous,macrochemical,macromolecule,metamer,metameric,molecule,monomer,monomerous,neutralizer,nonacid,organic chemical,oxyacid,photochemical,physicochemical,phytochemical,polymer,polymeric,pseudoisomer,radical,radiochemical,reagent,sulfacid,thermochemical,trimer 2404 - biochemistry,aerobiology,agrobiology,anatomy,astrobiology,bacteriology,biochemics,biochemy,bioecology,biological science,biology,biometrics,biometry,bionics,bionomics,biophysics,botany,cell physiology,cryobiology,cybernetics,cytology,ecology,electrobiology,embryology,enzymology,ethnobiology,exobiology,genetics,gnotobiotics,life science,microbiology,molecular biology,pharmacology,physiology,radiobiology,taxonomy,virology,xenobiology,zoology 2405 - biofeedback,Arica movement,Erhard Seminars Training,New Consciousness,Pentothal interview,SAT,T-group,assertiveness training,behavior modification,behavior therapy,bioenergetics,confrontation therapy,conjoint therapy,consciousness raising,counseling,directive therapy,encounter therapy,est,family training,feminist therapy,gestalt therapy,group psychotherapy,group relations training,group sensitivity training,group therapy,humanistic therapy,hypnoanalysis,hypnosis,hypnotherapy,hypnotism,marathon,marriage encounter,mind cure,narcoanalysis,narcohypnosis,narcosynthesis,narcotherapy,nondirective therapy,occupational therapy,pastoral counseling,play therapy,primal therapy,prolonged narcosis,psychodrama,psychological counseling,psychosurgery,psychosynthesis,psychotherapeutics,psychotherapy,radical therapy,rational-emotive therapy,reality therapy,recreational therapy,regression therapy,release therapy,scream therapy,sensitivity training,sensory awareness training,sleep treatment,supportive therapy,training group,transactional analysis,transcendental meditation,transpersonal therapy,vocational therapy 2406 - biography,Clio,Muse of history,adventures,annals,autobiography,biographical sketch,case history,chronicle,chronicles,chronology,confessions,curriculum vitae,diary,experiences,fortunes,hagiography,hagiology,historiography,history,journal,legend,letters,life,life and letters,life story,martyrology,memoir,memoirs,memorabilia,memorial,memorials,necrology,obit,obituary,photobiography,profile,record,resume,story,theory of history 2407 - biological clock,anima,animating force,atman,bathmism,beating heart,biorhythm,blood,breath,breath of life,divine breath,divine spark,elan vital,essence of life,force of life,growth force,heart,heartbeat,heartblood,impulse of life,inspiriting force,jiva,jivatma,life breath,life cycle,life essence,life force,life principle,life process,lifeblood,living force,pneuma,prana,seat of life,soul,spark of life,spirit,vis vitae,vis vitalis,vital energy,vital flame,vital fluid,vital force,vital principle,vital spark,vital spirit 2408 - biological urge,andromania,aphrodisia,bodily appetite,carnal desire,concupiscence,desire,eromania,eroticism,eroticomaniac,erotism,erotomania,fleshly lust,furor uterinus,goatishness,gynecomania,horniness,hot blood,hot pants,indecency,infantile sexuality,itch,lasciviousness,libidinousness,lust,lustfulness,nymphomania,passion,polymorphous perversity,prurience,pruriency,satyriasis,satyrism,sexual desire,sexual longing,sexual passion,venereal appetite 2409 - biologist,anatomist,animal physiologist,anthropologist,bacteriologist,biochemist,biometrist,biophysicist,botanist,conchologist,cytologist,ecologist,entomologist,ethologist,geneticist,helminthologist,herpetologist,ichthyologist,malacologist,mammalogist,natural scientist,naturalist,ophiologist,ornithologist,physiologist,protozoologist,taxidermist,zoo-ecologist,zoographer,zoologist,zoonomist,zoopathologist,zoophysicist,zootaxonomist 2410 - biology,aerobiology,agrobiology,anatomy,animal physiology,anthropology,astrobiology,bacteriology,biochemics,biochemistry,biochemy,bioecology,biological science,biometrics,biometry,bionics,bionomics,biophysics,botany,cell physiology,comparative anatomy,conchology,cryobiology,cybernetics,cytology,ecology,electrobiology,embryology,entomology,enzymology,ethnobiology,ethology,exobiology,genetics,gnotobiotics,helminthology,herpetology,ichthyology,life science,malacology,mammalogy,microbiology,molecular biology,ornithology,pharmacology,physiology,protozoology,radiobiology,taxidermy,taxonomy,virology,xenobiology,zoogeography,zoography,zoology,zoonomy,zoopathology,zoophysics,zootaxy,zootomy 2411 - bionics,aerobiology,agrobiology,anatomy,astrobiology,automatic electronics,autonetics,bacteriology,biochemics,biochemistry,biochemy,bioecology,biological science,biology,biometrics,biometry,bionomics,biophysics,botany,cell physiology,circuit analysis,communication theory,cryobiology,cybernetics,cytology,ecology,electrobiology,embryology,enzymology,ethnobiology,exobiology,genetics,gnotobiotics,information theory,life science,microbiology,molecular biology,pharmacology,physiology,radio control,radiobiology,servo engineering,servomechanics,system engineering,systems analysis,systems planning,taxonomy,virology,xenobiology,zoology 2412 - bionomics,aerobiology,agrobiology,anatomy,astrobiology,autecology,bacteriology,biochemics,biochemistry,biochemy,bioecology,biological science,biology,biometrics,biometry,bionics,biophysics,botany,cell physiology,cryobiology,cybernetics,cytology,ecoclimate,ecodeme,ecology,ecosystem,electrobiology,element,embryology,enzymology,ethnobiology,exobiology,genetics,gnotobiotics,life science,medium,microbiology,molecular biology,pharmacology,physiology,radiobiology,synecology,taxonomy,virology,xenobiology,zoology 2413 - biophysics,Newtonian physics,acoustics,aerobiology,aerophysics,agrobiology,anatomy,applied physics,astrobiology,astrophysics,bacteriology,basic conductor physics,biochemics,biochemistry,biochemy,bioecology,biological science,biology,biometrics,biometry,bionics,bionomics,botany,cell physiology,chemical physics,cryobiology,cryogenics,crystallography,cybernetics,cytology,cytophysics,ecology,electrobiology,electron physics,electronics,electrophysics,embryology,enzymology,ethnobiology,exobiology,genetics,geophysics,gnotobiotics,life science,macrophysics,mathematical physics,mechanics,medicophysics,microbiology,microphysics,molecular biology,natural philosophy,natural science,nuclear physics,optics,pharmacology,philosophy,physic,physical chemistry,physical science,physicochemistry,physicomathematics,physics,physiology,psychophysics,radiation physics,radiobiology,radionics,solar physics,solid-state physics,statics,stereophysics,taxonomy,theoretical physics,thermodynamics,virology,xenobiology,zoology,zoophysics 2414 - biopsy,Pap test,anatomic diagnosis,biological diagnosis,clinical diagnosis,cytodiagnosis,diagnosis,differential diagnosis,digital examination,electrocardiography,electroencephalography,electromyography,examination,laboratory diagnosis,mammography,oral examination,physical diagnosis,physical examination,postmortem diagnosis,serodiagnosis,smear,study,test,urinalysis,uroscopy,work-up 2415 - biorhythm,anima,animating force,atman,bathmism,beating heart,biological clock,blood,breath,breath of life,divine breath,divine spark,elan vital,essence of life,force of life,growth force,heart,heartbeat,heartblood,impulse of life,inspiriting force,jiva,jivatma,life breath,life cycle,life essence,life force,life principle,life process,lifeblood,living force,pneuma,prana,seat of life,soul,spark of life,spirit,vis vitae,vis vitalis,vital energy,vital flame,vital fluid,vital force,vital principle,vital spark,vital spirit 2416 - biosphere,Earth,Gaea,Ge,Tellus,Terra,aerosphere,all that lives,atmosphere,biochore,biocycle,biota,biotope,brawn,ecosphere,fiber,flesh,flora and fauna,gaseous envelope,geography,geosphere,globe,lift,living matter,living nature,mother earth,noosphere,organic matter,organic nature,organized matter,plasm,terra,terrestrial globe,the blue planet,this pendent world,tissue,vale,vale of tears,welkin,whole wide world,world 2417 - bipartisan,biform,bifurcated,bilateral,bipartite,biparty,dichotomous,double,duadic,dual,dualistic,duplex,duplicated,dyadic,identical,matched,partisan,party,twain,twin,twinned,two,two-sided 2418 - bipartisanship,coaction,coadjuvancy,coadministration,coagency,cochairmanship,codirectorship,collaboration,collaborativeness,collectivism,collusion,commensalism,common effort,common enterprise,communalism,communism,communitarianism,community,complicity,concert,concord,concordance,concurrence,cooperation,cooperativeness,duet,duumvirate,ecumenicalism,ecumenicism,ecumenism,esprit,esprit de corps,fellow feeling,fellowship,harmony,joining of forces,joint effort,joint operation,mass action,morale,mutual assistance,mutualism,mutuality,octet,pooling,pooling of resources,pulling together,quartet,quintet,reciprocity,septet,sextet,solidarity,symbiosis,synergism,synergy,team spirit,teamwork,trio,triumvirate,troika,united action 2419 - bipartite,apart,asunder,biaxial,bicameral,bicuspid,bifid,biform,bifurcated,bilateral,binocular,binomial,binominal,bipartisan,biped,bipetalous,bipinnate,bisexual,bivalent,dichotomous,discontinuous,discrete,distinct,divergent,double,duadic,dual,dualistic,duplex,duplicated,dyadic,identical,in two,incoherent,insular,matched,noncohesive,partitioned,separate,twain,twin,twinned,two,two-sided,unassociated,unattached,unattended,unconnected,unibivalent,unjoined 2420 - biped,amphibian,aquatic,biaxial,bicameral,bicuspid,bifid,biform,binocular,binomial,binominal,bipartite,bipetalous,bipinnate,bisexual,bivalent,canine,cannibal,carnivore,cosmopolite,feline,gnawer,herbivore,insectivore,invertebrate,mammal,mammalian,marsupial,marsupialian,omnivore,primate,quadruped,reptile,rodent,ruminant,scavenger,ungulate,unibivalent,varmint,vermin,vertebrate 2421 - Bircher,Bourbon,Tory,conservatist,conservative,diehard,extreme right-winger,hard hat,imperialist,monarchist,radical right,reactionarist,reactionary,reactionist,right,right wing,right-winger,rightist,royalist,social Darwinist,standpat,standpatter,ultraconservative 2422 - bird cage,aviary,birdhouse,bones,columbary,crap game,crap shooting,craps,crooked dice,cubes,dice,die,dovecote,ivories,loaded dice,perch,pigeon house,pigeon loft,poker dice,roost,roosting place,teeth 2423 - bird sanctuary,Indian reservation,archives,asylum,bank,forest preserve,game preserve,game reserve,game sanctuary,harbor,harbor of refuge,harborage,haven,library,museum,national forest,national park,paradise,park,port,preserve,refuge,reservation,reserve,safe haven,safehold,sanctuary,snug harbor,state forest,store,stronghold,wilderness preserve,wildlife preserve 2424 - bird,Bronx cheer,Jane,atomic warhead,avifauna,baby bird,bastard,biddy,bird of Jove,bird of Juno,bird of Minerva,bird of night,bird of passage,bird of prey,birdie,birdlife,birdy,bitch,boo,broad,bugger,cage bird,cat,catcall,chap,character,chick,cygnet,dame,diving bird,doll,dove,duck,eagle,eaglet,feller,fellow,fish-eating bird,fledgling,flightless bird,fowl,fruit-eating bird,fulmar,game bird,guided missile,guy,hen,hiss,hoot,insect-eating bird,jasper,joker,lad,migrant,migratory bird,minx,missile,nestling,nuclear warhead,oscine bird,owl,passerine bird,payload,peacock,peafowl,peahen,perching bird,pigeon,pooh,pooh-pooh,ratite,razz,rocket,sea bird,seed-eating bird,shore bird,skirt,songbird,squab,storm petrel,stormy petrel,stud,swan,thermonuclear warhead,tomato,torpedo,wading bird,war rocket,warbler,warhead,water bird,waterfowl,wench,wildfowl 2425 - birdcall,Angelus,Angelus bell,alarm,alarum,animal noise,bark,barking,battle cry,bugle call,call,clang,cry,grunt,howl,howling,last post,mating call,moose call,note,rallying cry,rebel yell,reveille,stridulation,summons,taps,trumpet call,ululation,war cry,whistle,woodnote 2426 - birth control,aridity,barrenness,contraception,dearth,dry womb,dryness,family planning,famine,impotence,ineffectualness,infecundity,infertility,planned parenthood,rhythm method,sterileness,sterility,the pill,unfertileness,unfruitfulness,unproductiveness,vasectomy,withered loins 2427 - birth defect,abnormality,acute disease,affection,affliction,ailment,allergic disease,allergy,atrophy,bacterial disease,blight,cardiovascular disease,chronic disease,circulatory disease,complaint,complication,condition,congenital defect,defect,deficiency disease,deformity,degenerative disease,disability,disease,disorder,distemper,endemic,endemic disease,endocrine disease,epidemic disease,functional disease,fungus disease,gastrointestinal disease,genetic disease,handicap,hereditary disease,iatrogenic disease,illness,indisposition,infectious disease,infirmity,malady,malaise,morbidity,morbus,muscular disease,neurological disease,nutritional disease,occupational disease,organic disease,pandemic disease,pathological condition,pathology,plant disease,protozoan disease,psychosomatic disease,respiratory disease,rockiness,secondary disease,seediness,sickishness,sickness,signs,symptomatology,symptomology,symptoms,syndrome,the pip,urogenital disease,virus disease,wasting disease,worm disease 2428 - birth,Altmann theory,DNA,De Vries theory,Galtonian theory,Mendelianism,Mendelism,RNA,Verworn theory,Weismann theory,Weismannism,Wiesner theory,abiogenesis,abortion,accouchement,affiliation,allele,allelomorph,ancestry,animal spirits,animate existence,animation,apparentation,archigenesis,aristocracy,aristocraticalness,babyhood,bear,bearing,beget,beginning,beginnings,being alive,biogenesis,birth throes,birthing,blastogenesis,blessed event,blood,bloodline,blue blood,branch,breed,bring to birth,character,childbearing,childbed,childbirth,childhood,chromatid,chromatin,chromosome,commencement,common ancestry,confinement,consanguinity,cradle,creation,dawn,dawning,delivery,derivation,descent,determinant,determiner,development,diathesis,digenesis,direct line,distaff side,distinction,emergence,endowment,engender,epigenesis,eugenics,eumerogenesis,existence,extraction,factor,family,father,female line,filiation,freshman year,gene,generation,genesiology,genesis,genetic code,genetics,genteelness,gentility,give birth to,giving birth,hatching,having a baby,having life,hereditability,heredity,heritability,heritage,heterogenesis,histogenesis,homogenesis,honorable descent,house,immortality,inborn capacity,inception,inchoation,incipience,incipiency,incunabula,infancy,inheritability,inheritance,isogenesis,labor,life,lifetime,line,line of descent,lineage,liveliness,living,long life,longevity,male line,matrocliny,merogenesis,metagenesis,miscarriage,monogenesis,mother,multiparity,nascence,nascency,nativity,nobility,noble birth,nobleness,onset,opening,origin,origination,orthogenesis,outset,outstart,pangenesis,parentage,parthenogenesis,parturition,patrocliny,pharmacogenetics,phylum,pregnancy,procreate,procreation,quality,race,rank,recessive character,replication,royalty,seed,sept,side,sire,slip,spear side,spindle side,spontaneous generation,spriteliness,start,stem,stirps,stock,strain,succession,sword side,the Nativity,the stork,travail,viability,vitality,vivacity,youth 2429 - birthday suit,bareness,decollete,ecdysiast,gymnosophist,gymnosophy,nakedness,naturism,naturist,not a stitch,nudism,nudist,nudity,state of nature,stripper,stripteaser,the altogether,the nude,the raw,toplessness 2430 - birthday,anniversary,annual holiday,bicentenary,bicentennial,biennial,bissextile day,centenary,centennial,commemoration,decennial,diamond jubilee,golden wedding anniversary,holy days,immovable feast,jubilee,leap year,name day,natal day,octennial,quadrennial,quasquicentennial,quincentenary,quincentennial,quinquennial,septennial,sesquicentennial,sextennial,silver wedding anniversary,tercentenary,tercentennial,tricennial,triennial,wedding anniversary 2431 - birthmark,blackhead,blaze,bleb,blemish,blister,blotch,brand,bulla,caste mark,character,check,checkmark,cicatrix,comedo,crack,crater,craze,cut,dapple,defacement,defect,deformation,deformity,discoloration,disfiguration,disfigurement,distortion,dot,earmark,engraving,fault,feature,flaw,fleck,flick,freckle,gash,graving,hack,hemangioma,hickey,jot,keloid,kink,lentigo,macula,mark,marking,milium,mole,mottle,needle scar,nevus,nick,notch,patch,pimple,pit,pock,pockmark,point,polka dot,port-wine mark,port-wine stain,prick,puncture,pustule,rift,scab,scar,scarification,score,scotch,scratch,scratching,sebaceous cyst,speck,speckle,splash,split,splotch,spot,stain,stigma,strawberry mark,sty,tattoo,tattoo mark,tick,tittle,track,trait,travail,twist,verruca,vesicle,wale,warp,wart,watermark,weal,welt,wen,whitehead 2432 - birthplace,Vaterland,breeding place,brooder,cradle,fatherland,forcing bed,hatchery,home,homeground,homeland,hotbed,incubator,la patrie,mother country,motherland,native land,native soil,nest,nidus,nursery,patria,rookery,the old country 2433 - birthright,appanage,appurtenance,authority,bequeathal,bequest,borough-English,claim,coheirship,conjugal right,coparcenary,demand,divine right,droit,due,entail,faculty,gavelkind,heirloom,heirship,hereditament,heritable,heritage,heritance,inalienable right,incorporeal hereditament,inheritance,interest,law of succession,legacy,line of succession,mode of succession,natural right,patrimony,perquisite,postremogeniture,power,prerogative,prescription,presumptive right,pretense,pretension,primogeniture,privilege,proper claim,property right,reversion,right,succession,title,ultimogeniture,vested interest,vested right 2434 - biscuit,Brussels biscuit,Melba toast,adobe,bisque,bone,bowl,brick,brownie,cement,ceramic ware,ceramics,china,cookie,cracker,crock,crockery,date bar,dust,enamelware,firebrick,fruit bar,ginger snap,gingerbread man,glass,graham cracker,hardtack,jug,ladyfinger,macaroon,mummy,parchment,pilot biscuit,porcelain,pot,pottery,pretzel,refractory,rusk,saltine,sea biscuit,ship biscuit,shortbread,sinker,soda cracker,stick,sugar cookie,tile,tiling,urn,vase,wafer,zwieback 2435 - bisect,amputate,average,ax,bifurcate,branch,butcher,by two,carve,chop,cleave,cut,cut away,cut in two,cut off,dichotomize,dimidiate,dissever,divide,double,excise,fission,fissure,fold,fork,gash,hack,halve,hew,in half,incise,jigsaw,lance,middle,pare,prune,ramify,rend,rive,saw,scissor,sever,slash,slice,slit,snip,split,split in two,subdivide,sunder,tear,transect,whittle 2436 - bisexual,AC-DC,amphierotic,androgyne,androgynous,auntie,autoerotic,bi-guy,biaxial,bicameral,bicuspid,bifid,biform,binocular,binomial,binominal,bipartite,biped,bipetalous,bipinnate,bisexed,bivalent,bull dyke,butch,catamite,chicken,deviant,dyke,effeminate,fag,faggot,fairy,femme,flit,fricatrice,fruit,gay,gunsel,hermaphrodite,hermaphroditic,homo,homoerotic,homophile,homosexual,homosexualist,invert,lesbian,mannish,nance,pansy,pathic,perverted,punk,queen,queer,sapphic,sapphist,swinging both ways,transvestite,tribade,tribadistic,unibivalent 2437 - bishop,Aaronic priesthood,Grand Penitentiary,Holy Father,Melchizedek priesthood,Seventy,abuna,antipope,apostle,archbishop,archdeacon,archpriest,bishop coadjutor,canon,cardinal,cardinal bishop,cardinal deacon,cardinal priest,castle,chaplain,chessman,coadjutor,curate,deacon,dean,diocesan,ecclesiarch,elder,exarch,hierarch,high priest,king,knight,man,metropolitan,papa,patriarch,pawn,penitentiary,piece,pontiff,pope,prebendary,prelate,priest,primate,queen,rector,rook,rural dean,subdean,suffragan,teacher,vicar 2438 - bishopric,Kreis,abbacy,aedileship,archbishopric,archdeaconry,archdiocese,archiepiscopacy,archiepiscopate,aristocracy,arrondissement,bailiwick,bishopdom,borough,canonicate,canonry,canton,cardinalship,chairmanship,chancellery,chancellorate,chancellorship,chaplaincy,chaplainship,chiefery,chiefry,chieftaincy,chieftainry,chieftainship,city,commune,conference,congressional district,constablewick,consulate,consulship,county,curacy,deaconry,deaconship,deanery,deanship,departement,dictatorship,dictature,diocese,directorship,district,duchy,electoral district,electorate,emirate,episcopacy,episcopate,government,governorship,hamlet,headship,hegemony,hierarchy,hundred,leadership,lordship,magistracy,magistrateship,magistrature,masterdom,mastership,mastery,mayoralty,mayorship,metropolis,metropolitan area,metropolitanate,metropolitanship,nobility,oblast,okrug,papacy,parish,pashadom,pashalic,pastorate,pastorship,patriarchate,patriarchy,pontificality,pontificate,popedom,popehood,popeship,prebend,prebendaryship,precinct,prefectship,prefecture,prelacy,prelateship,prelature,premiership,presbyterate,presbytery,presidency,presidentship,primacy,prime-ministership,prime-ministry,princedom,princeship,principality,proconsulate,proconsulship,protectorate,protectorship,province,provostry,provostship,rectorate,rectorship,regency,regentship,region,riding,ruling class,see,seigniory,seneschalship,seneschalsy,sheikhdom,sheriffalty,sheriffcy,sheriffdom,sheriffwick,shire,shrievalty,soke,stake,state,supervisorship,suzerainship,suzerainty,synod,territory,town,township,tribunate,vicariate,vicarship,village,vizierate,viziership,wapentake,ward 2439 - bison,Brahman,Indian buffalo,aurochs,beef,beef cattle,beeves,bossy,bovine,bovine animal,buffalo,bull,bullock,calf,carabao,cattle,cow,critter,dairy cattle,dairy cow,dogie,heifer,hornless cow,kine,leppy,maverick,milch cow,milcher,milk cow,milker,muley cow,muley head,musk-ox,neat,ox,oxen,steer,stirk,stot,wisent,yak,yearling,zebu 2440 - bisque,adobe,biscuit,borscht,bouillabaisse,bouillon,bowl,brick,broth,burgoo,cement,ceramic ware,ceramics,chicken soup,china,chowder,clam chowder,clear soup,consomme,crock,crockery,egg drop soup,enamelware,firebrick,fish soup,gazpacho,glass,gravy soup,gumbo,jug,julienne,matzo ball soup,minestrone,misoshiru soup,mock turtle soup,porcelain,pot,pot-au-feu,potage,potage au tomate,potato soup,pottage,pottery,puree,refractory,soup,stock,thick soup,thin soup,tile,tiling,tomato soup,turtle soup,urn,vase,vegetable soup,vichyssoise,won ton soup 2441 - bistro,alehouse,automat,bar,barrel house,barroom,beanery,beer garden,beer parlor,blind tiger,buffet,buvette,cabaret,cafe,cafeteria,canteen,cantina,chophouse,chuck wagon,cocktail lounge,coffee shop,coffeehouse,coffeeroom,cookhouse,cookshack,cookshop,diner,dining hall,dining room,discotheque,dive,dog wagon,dramshop,drinking saloon,drive-in,drive-in restaurant,eatery,eating house,fast-food chain,gin mill,grill,grillroom,groggery,grogshop,hamburger stand,hash house,hashery,honky-tonk,hot-dog stand,kitchen,local,lunch counter,lunch wagon,luncheonette,lunchroom,mess hall,night spot,nightclub,nitery,pizzeria,pothouse,pub,public,public house,quick-lunch counter,rathskeller,restaurant,rumshop,saloon,saloon bar,smorgasbord,snack bar,speakeasy,supper club,taproom,tavern,tearoom,trattoria,watering place,wine shop 2442 - bit by bit,by degrees,by inches,by inchmeal,by slow degrees,by snatches,degreewise,drop by drop,foot by foot,gradatim,grade by grade,gradually,in detail,in driblets,in installments,in lots,in small doses,in snatches,inch by inch,inchmeal,little by little,part by part,piece by piece,piecemeal,slowly,step by step 2443 - bit,ALGOL,COBOL,EDP,FORTRAN,a breath,a continental,a curse,a damn,a darn,a hoot,ace,act,actor,aculeus,acumination,afterpiece,allotment,allowance,alphabetic data,alphanumeric code,anchor watch,angular data,antagonist,antihero,arrest,assembler,atom,auger,back band,backstrap,bagatelle,bauble,bean,bearing rein,bellyband,bibelot,big end,bigger half,binary digit,binary scale,binary system,bit part,bite,blinders,blinds,borer,bowshot,brake,brass farthing,breeching,bridle,brief span,budget,bug,butt,button,byte,caparison,cast,cavesson,cent,chain,channel,character,chaser,check,checkrein,cheekpiece,chinband,chip,chock,chunk,cinch,cipher,clip,clipping,clog,close quarters,close range,collar,collop,command pulses,commands,commission,communication explosion,communication theory,compiler,computer code,computer language,computer program,constrain,contingent,control signals,controlled quantity,correcting signals,countercheck,crack,crownband,crumb,crupper,cue,curb,curb bit,curio,curtain,curtain call,curtain raiser,cusp,cut,cutting,dab,damper,data,data retrieval,data storage,day shift,deal,decoding,destiny,digit,divertimento,divertissement,dividend,dogwatch,dole,dollop,doorstop,dot,drag,drag sail,dram,dribble,driblet,drift anchor,drift sail,drill,drogue,drop,dwarf,earreach,earshot,electronic data processing,encoding,end,entropy,epilogue,equal share,error,error signals,exode,exodus,expository scene,farce,farthing,fat part,fate,feather,feedback pulses,feedback signals,feeder,fetter,fig,figure,film data,finale,fleabite,fleck,flyspeck,folderol,fragment,fribble,frippery,full time,gag swivel,gaud,gewgaw,gimcrack,girth,gob,gobbet,grain,granule,graveyard shift,groat,gunshot,hackamore,hair,hair space,hairbreadth,hairsbreadth,half,half rations,half time,halfpenny,halter,halver,hames,hametugs,handful,harness,headgear,headstall,heavy,helping,hero,heroine,hexadecimal system,hill of beans,hip straps,hoke act,hold back,hold down,hold in,holdback,hunk,inch,information,information explosion,information theory,ingenue,inhibit,input data,input quantity,instant,instructions,interest,interlude,intermezzo,intermission,introduction,iota,jaquima,jerk line,jest,joke,jot,kickshaw,knickknack,knickknackery,lead,lead role,leading lady,leading man,leading woman,lines,little,little bit,little ways,little while,lobster trick,lot,lota,lump,machine language,martingale,measure,meed,mere subsistence,mess,message,minikin,minim,minimum,minutiae,mite,mockery,modicum,moiety,molecule,molehill,moment,morsel,mote,mouthful,mucro,multiple messages,neb,needle,nib,night shift,no time,noise,noseband,notation,number,numeral,numeric data,numero,nutshell,octal system,oscillograph data,ounce,output data,output quantity,overtime,pair of winks,paring,part,part time,particle,pebble,pelham,peppercorn,percentage,person,personage,picayune,piece,pin,pinch,pinch of snuff,pinprick,pistol shot,pittance,play,point,polar data,pole strap,portion,prick,prickle,prologue,proportion,protagonist,punch-card data,quantum,quota,rake-off,random data,rap,rasher,ration,rectangular data,red cent,redundancy,reference quantity,reins,relay,remora,ribbons,role,routine,row of pins,ruly English,rush,saddle,scene,scoop,scotch,scrap,scrimption,scruple,sea anchor,segment,shackle,shaft tug,shard,share,shaving,shift,shit,shiver,short allowance,short commons,short distance,short piece,short spell,short time,short way,shred,shtick,side,side check,sign,signal,signals,single messages,sketch,skit,slice,sliver,small share,small space,smidgen,smitch,smithereen,snack,snaffle,snap,snatch,sneeshing,snip,snippet,song and dance,sou,soubrette,space,span,speck,spell,spitting distance,splinter,split schedule,split shift,spoke,spoonful,spot,spurt,stake,stand-up comedy act,starvation wages,stay,step,sting,stint,stitch,stock,stop,straight part,straw,stretch,striptease,stump,sunrise watch,supporting character,supporting role,surcingle,swing shift,symbol,tack,tackle,tatter,thimbleful,time,tiny bit,tip,title role,tittle,tour,tour of duty,toy,trammel,trappings,trick,trifle,trifling amount,trinket,trivia,triviality,tug,tuppence,turn,turn of work,two cents,two shakes,twopence,unorganized data,villain,visible-speech data,walk-on,walking part,watch,whet,whim-wham,whit,winker braces,withhold,work shift,yoke 2444 - bitch box,Gramophone,PA,PA system,Victrola,audio sound system,audiophile,binaural system,bullhorn,cartridge,ceramic pickup,changer,crystal pickup,derived four-channel system,discrete four-channel system,four-channel stereo system,hi-fi,hi-fi fan,high-fidelity,intercom,intercommunication system,jukebox,magnetic pickup,monaural system,mono,needle,nickelodeon,phonograph,photoelectric pickup,pickup,public-address system,quadraphonic sound system,radio-phonograph combination,record changer,record player,sound reproduction system,sound truck,squawk box,stereo,stylus,system,tape deck,tape recorder,tone arm,transcription turntable,turntable 2445 - bitch,Augean task,Herculean task,Jane,Jezebel,Partlet,Seeing Eye dog,air a grievance,backbreaker,bad woman,baggage,ballbuster,bandog,battle-ax,bawd,beef,beefing,beguile,beldam,bellyache,bellyaching,betray,biddy,bimbo,bird,bitch up,bitching,bleat,bluff,bobble,boggle,bonehead into it,bossy,botch,bowwow,boycott,broad,brood mare,bugger,bugger up,bungle,call in question,canine,cat,challenge,chick,chippy,chore,clamor,clitoromaniac,cocotte,common scold,complain,complaining,complaint,compunction,cow,crab,crib,croak,cry out against,dame,dead lift,delude,demonstrate,demonstrate against,demonstration,demur,demurrer,destructive criticism,dispute,dissent,doe,dog,doll,double-cross,drab,drop a brick,easy lay,easy woman,enter a protest,ewe,ewe lamb,exception,expostulate,expostulation,fancy dog,faultfinding,filly,fishwife,floozie,floozy,flub,foul up,four-flush,frail sister,fret,fret and fume,fury,fuss,goof,goof up,grievance,grievance committee,gripe,griping,grisette,groan,groaning,grouch,grouse,grousing,growl,grumble,grumbling,grump,grunt,guide dog,guinea hen,gum up,gyp,handful,hard job,hard pull,harlot,harpy,harridan,hash up,heavy sledding,heifer,hen,hind,holler,hooker,howl,humbug,hussy,hustler,hysteromaniac,indignation meeting,jade,jenny,juggle,kennel,kick,kicking,lap dog,large order,lioness,lodge a complaint,loose woman,louse up,man-sized job,march,mare,mess up,minx,mope,murmur,murmuring,mutter,nag,nanny,nanny goat,nonviolent protest,nymphet,nympho,nymphomaniac,object,objection,pack of dogs,peahen,peeve,peevishness,pet peeve,petulance,picket,picketing,pickup,pooch,press objections,pro,prostitute,protest,protest demonstration,protestation,pup,puppy,qualm,quean,querulousness,raise a howl,rally,register a complaint,remonstrance,remonstrate,remonstration,roe,rough go,ruin,scold,scolding,screw up,scruple,she-bear,she-devil,she-goat,she-lion,she-wolf,sheep dog,show dog,shrew,sit in,sit-in,skirt,sled dog,slut,sniping,sow,spitfire,spoil,squawk,squawking,state a grievance,streetwalker,strike,strumpet,sulk,take in,take on,tall order,tart,teach in,teach-in,termagant,tigress,tomato,tough job,tough proposition,toy dog,tramp,trollop,trull,uphill work,uteromaniac,virago,vixen,wanton,watchdog,wench,whelp,whining,whore,witch,working dog,yammer,yap,yapping,yawp,yell bloody murder,yelp 2446 - bitchy,abusive,back-biting,baleful,bearish,belittling,calumniatory,calumnious,cankered,cantankerous,catty,censorious,churlish,contemptuous,contumelious,crabbed,cranky,cross,cross-grained,crusty,cussed,defamatory,deprecatory,depreciative,depreciatory,derisive,derisory,derogative,derogatory,despiteful,detractory,disagreeable,disparaging,evil,excitable,feisty,fractious,harmful,hateful,huffish,huffy,iniquitous,invidious,irascible,irritable,libelous,malefic,maleficent,malevolent,malicious,malign,malignant,mean,minimizing,nasty,noxious,ornery,pejorative,perverse,rancorous,ridiculing,scandalous,scurrile,scurrilous,slanderous,slighting,snappish,spiteful,spleeny,splenetic,testy,ugly,vicious,vilifying,waspish,wicked 2447 - bite the bullet,affront,beard,bell the cat,brave,brazen,brazen out,confront,face,face the music,face up,face up to,front,meet,meet boldly,meet head-on,run the gauntlet,set at defiance,speak out,speak up,stand up to 2448 - bite the dust,bow,break up,crumble,crumble to dust,disintegrate,drop dead,fall,fall dead,fall down dead,fall to pieces,go down,go to pieces,go under,have enough,lick the dust,lose,lose out,lose the day,say uncle,succumb,take the count,topple,tumble 2449 - bite,acerbity,acidity,acridity,acrimony,acuminate,acute pain,adhere to,afflict,agonize,ail,allotment,allowance,and sinker,astringency,auger,bait,be a sucker,be keen,be taken in,bear hug,benumb,big end,bigger half,bit,bite the tongue,bitingness,bitterness,bolus,bore,boring pain,briskness,bristle with,broach,budget,burn,causticity,chafe,champ,charley horse,chaw,chew,chew the cud,chew up,chill,chomp,chunk,clamp,clasp,cleave to,clench,clinch,cling,clinging,clip,clutch,collation,commission,contingent,convulse,corrode,countersink,cramp,cramps,crick,crucify,crunch,cud,cut,cuttingness,darting pain,deal,death grip,destiny,devour,distress,dividend,dole,drill,drive,eat,eat away,eat out,eat up,edge,effectiveness,embrace,empierce,end,equal share,erode,etch,excruciate,fall for,fate,fester,fierceness,firm hold,fix,foothold,footing,force,forcefulness,freeze,freeze to,fret,frost,frostbite,fulgurant pain,gall,ginger,girdle pain,give pain,gnash,gnaw,gnawing,go for,go through,gob,gobble up,gore,gouge,gouge out,grapple,grasp,grate,grind,grip,gripe,griping,gulp down,gum,guts,half,halver,hang on,hang on to,harrow,harshness,have an edge,helping,hitch,hold,hold fast,hold on,hold on to,hold tight,hole,honeycomb,hotness,hug,hurt,impale,impressiveness,incisiveness,inflame,inflict pain,interest,iron grip,irritate,jumping pain,keenness,keep hold of,kick,kill by inches,kink,lacerate,lance,lancinating pain,lap up,lick,light lunch,light meal,light repast,line,liveliness,lot,martyr,martyrize,masticate,measure,meed,mess,modicum,moiety,mordacity,mordancy,morsel,mouth,mouthful,mumble,munch,needle,nervosity,nervousness,never let go,nibble,nip,nippiness,nosh,numb,pain,pang,paroxysm,part,penetrate,pepperiness,percentage,perforate,piece,pierce,pinch,pink,poignancy,point,portion,power,prick,prolong the agony,proportion,punch,puncture,purchase,put to torture,quantum,quid,quota,raciness,rack,rake-off,rankle,rasp,ration,ream,ream out,refreshments,refrigerate,relish,riddle,rigor,roughness,rub,ruminate,run through,scour,scrap,scrunch,segment,seizure,severity,share,sharp pain,sharpness,shoot,shooting,shooting pain,sinew,sinewiness,sip,skewer,slice,small share,snack,snap,snappiness,spasm,spear,spice,spiciness,spike,spit,spot of lunch,stab,stabbing pain,stake,stick,stick to,sting,stitch,stock,strength,stridency,stringency,strong language,sup,swallow,swallow anything,swallow hook,swallow whole,swing at,take the bait,tang,tanginess,tap,tartness,taste,teeth,thrill,throes,tight grip,toehold,tooth,tormen,torment,torture,transfix,transpierce,trenchancy,trepan,trephine,tumble for,tweak,twinge,twist,twitch,vehemence,vigor,vigorousness,violence,virulence,vitality,wear away,wound,wrench,wring,zest,zestfulness,zip 2450 - biting,Attic,Siberian,acerb,acerbate,acerbic,acid,acidic,acidulent,acidulous,acrid,acrimonious,acute,afflictive,agonizing,algid,arctic,asperous,astringent,atrocious,below zero,bitter,bitterly cold,bleak,boreal,brilliant,brisk,brumal,caustic,clear-cut,clever,cold,cold as charity,cold as death,cold as ice,cold as marble,corroding,corrosive,cramping,crisp,cruel,cutting,distressing,double-edged,driving,droll,edged,effective,escharotic,excruciating,facetious,fierce,forceful,forcible,freezing,freezing cold,frigid,funny,gelid,glacial,gnawing,grave,griping,gutsy,hard,harrowing,harsh,hibernal,hiemal,humorous,humorsome,hurtful,hurting,hyperborean,ice-cold,ice-encrusted,icelike,icy,imperative,impressive,incisive,inclement,ingoing,irritating,jesting,jocose,jocular,joking,joky,joshing,keen,keen-witted,mordacious,mordant,nervous,nimble-witted,nipping,nippy,nose-tickling,numbing,painful,paroxysmal,penetrating,piercing,pinching,piquant,poignant,pointed,powerful,punchy,pungent,quick-witted,racking,rapier-like,raw,rigorous,rough,salt,salty,scathing,scintillating,scorching,sensational,severe,sharp,shooting,sinewed,sinewy,slashing,sleety,slushy,smart,snappy,sour,sparkling,spasmatic,spasmic,spasmodic,sprightly,stabbing,stinging,stone-cold,strident,striking,stringent,strong,subzero,supercooled,tart,telling,tormenting,torturous,trenchant,vehement,vigorous,violent,virulent,vital,vitriolic,whimsical,winterbound,winterlike,wintery,wintry,withering,witty 2451 - bitter end,Thule,Ultima Thule,bottom dollar,boundary,butt,butt end,catastrophe,climax,completion,conclusion,consummation,culmination,denouement,end,end result,extreme,extremity,fag end,farthest bound,final result,finale,jumping-off place,last act,limit,nib,payoff,point,pole,stub,stump,tag,tag end,tail,tail end,termination,tip 2452 - bitter pill,acerbity,acridity,acridness,affliction,astringence,astringency,bitter cup,bitter draft,bitter draught,bitterness,burden,burden of care,cankerworm of care,care,causticity,cross,crown of thorns,curse,distress,encumbrance,gall,gall and wormwood,grievance,infliction,load,oppression,pack of troubles,peck of troubles,pungency,sea of troubles,sharpness,sorrow,sourness,tartness,thorn,trouble,waters of bitterness,weight,woe 2453 - bitter,Siberian,acerb,acerbate,acerbic,acid,acidic,acidulent,acidulous,acrid,acrimonious,affecting,afflictive,aftertaste,algid,alienated,amaroidal,annoying,antagonistic,antipathetic,arctic,asperous,astringent,austere,bad,belligerent,below zero,bilious,biting,bitter as gall,bitterly cold,bleak,boreal,brisk,brumal,brutal,burning,caustic,cheerless,choleric,clashing,coarse,cold,cold as charity,cold as death,cold as ice,cold as marble,colliding,comfortless,conflicting,corroding,corrosive,crisp,cruel,cutting,deplorable,depressing,depressive,despiteful,disagreeable,discomforting,dislikable,dismal,dismaying,dispiriting,displeasing,distasteful,distressful,distressing,disturbing,divided,dolorific,dolorogenic,dolorous,double-edged,dreary,dyspeptic,edged,embittered,escharotic,estranged,fierce,flavor,freezing,freezing cold,frigid,full of hate,galling,gelid,glacial,grievous,gust,hard,harsh,hateful,hibernal,hiemal,hostile,hyperborean,ice-cold,ice-encrusted,icelike,icy,incisive,inclement,intemperate,irreconcilable,irritating,jaundiced,joyless,keen,lamentable,malevolent,malicious,malignant,miserable,mordacious,mordant,mournful,moving,nasty,nipping,nippy,nose-tickling,numbing,obnoxious,offensive,painful,palate,pathetic,penetrating,piercing,pinching,piquant,piteous,pitiable,poignant,provoking,pungent,quarrelsome,rancorous,rankled,raw,regrettable,relish,reproachful,repugnant,resentful,resenting,rigorous,rough,rueful,rugged,sad,saddening,salt,sapidity,sapor,savor,savoriness,scathing,scorching,set against,severe,sharp,sleety,slushy,smack,snappy,sore,sorrowful,sour,sour-tempered,soured,spiteful,splenetic,stabbing,stewing,stinging,stomach,stone-cold,strident,stringent,subzero,supercooled,sweet,tang,tart,taste,thankless,tongue,tooth,touching,trenchant,ugly,unalluring,unappealing,unappetizing,unattractive,uncomfortable,undelectable,undelicious,undesirable,unengaging,unenjoyable,uninviting,unkind,unlikable,unpalatable,unpleasant,unpleasing,unsavory,untasteful,unwelcome,vehement,venomous,vexatious,vicious,vinegarish,violent,virulent,vitriolic,winterbound,winterlike,wintery,wintry,withering,woebegone,woeful,wretched 2454 - bitterly,abominably,acerbically,acerbly,acidly,acridly,acrimoniously,agonizingly,awfully,baldly,balefully,bitingly,blatantly,brashly,caustically,confoundedly,corrodingly,corrosively,cruelly,cuttingly,damnably,deadly,deathly,deucedly,distressingly,dolorously,dreadfully,egregiously,excessively,excruciatingly,exorbitantly,extravagantly,flagrantly,frightfully,grievously,hardly,hellishly,horribly,improperly,incisively,inexcusably,infernally,inordinately,intolerably,keenly,lamentably,miserably,mordaciously,mordantly,nakedly,openly,painfully,penetratingly,piercingly,piteously,rancorously,sadly,scathingly,scorchingly,sharply,shatteringly,shockingly,something awful,something fierce,sorely,stabbingly,staggeringly,tartly,terribly,torturously,trenchantly,unashamedly,unbearably,unconscionably,unduly,unpardonably,witheringly,woefully 2455 - bitterness,absolute zero,acerbity,aching heart,acid,acidity,acidness,acidulousness,acridity,acridness,acrimony,agony,agony of mind,algidity,anguish,animosity,animus,antagonism,apologies,asperity,astringence,astringency,attrition,ayenbite of inwit,bad blood,bale,bile,bite,bitingness,bitter feeling,bitter pill,bitter resentment,bitterness,bitterness of spirit,bleakness,bleeding heart,briskness,broken heart,causticity,causticness,cheerlessness,chill,chilliness,choler,cold,coldness,comfortlessness,contriteness,contrition,cool,coolness,coolth,corrosiveness,crispness,crushing,cryogenics,cryology,cuttingness,decrease in temperature,depression,depth of misery,desolation,despair,discomfort,dismalness,distress,distressfulness,dreariness,edge,enmity,extremity,feud,fierceness,freezing point,freshness,frigidity,frostiness,gall,gall and wormwood,gelidity,gnashing of teeth,grief,grievousness,grip,hard feelings,harshness,hatred,heartache,heartburning,heavy heart,hostility,iciness,ill blood,ill feeling,ill will,incisiveness,inclemency,infelicity,intense cold,joylessness,keenness,lamentability,lamentation,low temperature,melancholia,melancholy,misery,mordacity,mordancy,mournfulness,nip,nippiness,pain,painfulness,pathos,piercingness,piquancy,pitiability,pitiableness,pitifulness,poignancy,point,prostration,pungency,rancor,rankling,rawness,regret,regretfulness,regrets,regrettableness,regretting,remorse,remorse of conscience,remorsefulness,repining,resentment,rigor,roughness,sadness,severity,shame,shamefacedness,shamefastness,shamefulness,sharp air,sharpness,slow burn,soreness,sorriness,sorrow,sorrowfulness,sourness,spleen,stabbingness,sting,stridency,stringency,suicidal despair,tartness,teeth,trenchancy,vehemence,vendetta,venom,violence,virulence,vitriol,wistfulness,woe,woebegoneness,woefulness,wretchedness 2456 - bivouac,Konzentrationslager,Lager,anchor,barrack,barracks,billet at,burrow,camp,camp out,campground,campsite,cantonment,casern,colonize,come to anchor,concentration camp,detention camp,domesticate,drive stakes,drop anchor,encamp,encampment,ensconce,establish residence,go camping,hive,hobo jungle,inhabit,keep house,lines,live at,locate,maroon,moor,move,nest,park,people,perch,pitch,pitch camp,populate,relocate,reside,roost,rough it,set up housekeeping,set up shop,settle,settle down,sit down,sleep out,squat,stand,stay at,strike root,take residence at,take root,take up residence,tent,tented field 2457 - biweekly,annual,biannual,biennial,bimonthly,catamenial,centenary,centennial,daily,daybook,decennial,diary,diurnal,ephemeris,fortnightly,gazette,hebdomadal,hourly,journal,magazine,menstrual,momentary,momently,monthly,newsmagazine,organ,periodical,pictorial,quarterly,quotidian,review,secular,semestral,semiannual,semimonthly,semiweekly,semiyearly,serial,slick magazine,tertian,trade magazine,triennial,weekly,yearbook,yearly 2458 - bizarre,Gothic,absurd,amusing,antic,awe-inspiring,awesome,awful,awing,baroque,beyond belief,brain-born,cockamamie,crazy,curious,deformed,deviant,dream-built,droll,eccentric,eerie,erratic,extravagant,fanciful,fancy-born,fancy-built,fancy-woven,fantasque,fantastic,florid,foolish,freak,freakish,funny,grotesque,high-flown,hilarious,humorous,incongruous,incredible,irregular,kinky,laughable,ludicrous,maggoty,malformed,misbegotten,misshapen,monstrous,mysterious,nonconforming,nonconformist,nonsensical,notional,numinous,odd,oddball,offbeat,outlandish,outrageous,outre,peculiar,poppycockish,preposterous,priceless,quaint,queer,quizzical,rich,ridiculous,risible,rococo,screaming,singular,strange,teratogenic,teratoid,uncanny,unconventional,unusual,weird,whimsical,wild,witty 2459 - blab,agreeable rattle,babble,babblement,babbler,bavardage,be indiscreet,be unguarded,bear witness against,betray,betray a confidence,betrayer,bibble-babble,big talker,blabber,blabberer,blabbermouth,blah-blah,blather,blatherer,blether,blethers,blow the whistle,blurt,blurt out,broadcast,cackle,caquet,caqueterie,chat,chatter,chatterbox,chatterer,chitter-chatter,clack,clatter,delator,disclose,dither,divulge,expose,fink,gab,gabber,gabble,gabbler,gas,gasbag,gibber,gibble-gabble,gibble-gabbler,give away,go on,gossip,great talker,guff,gush,haver,hot air,hot-air artist,idle chatterer,idle talk,inform,inform against,inform on,informer,jabber,jabberer,jaw,jay,leak,let drop,let fall,let slip,magpie,mere talk,moulin a paroles,narc,natter,noise about,nonsense talk,palaver,patter,patterer,peach,peacher,pour forth,prate,prater,prating,prattle,prattler,prittle-prattle,ramble on,rat,rattle,rattle on,reel off,reveal,reveal a secret,rumor,run on,sell out,sing,snitch,snitch on,snitcher,spill,spill the beans,spout,spout off,spy,squeal,squealer,stool,stool pigeon,stoolie,talebearer,talk,talk away,talk nonsense,talk on,talkee-talkee,tattle,tattle on,tattler,tattletale,tell on,tell secrets,tell tales,telltale,testify against,tittle-tattle,turn informer,twaddle,twattle,waffle,whistle-blower,windbag,windjammer,word-slinger,yak,yakkety-yak 2460 - blabber,absurdity,amphigory,babble,babblement,balderdash,bavardage,be indiscreet,be unguarded,betray,betray a confidence,betrayer,bibble-babble,blab,blabberer,blabbermouth,blah-blah,blather,blether,blethers,blurt,blurt out,bombast,bull,bullshit,cackle,caquet,caqueterie,chat,chatter,chatterer,chitter-chatter,clack,claptrap,clatter,delator,dither,double-talk,drivel,drool,fiddle-faddle,fiddledeedee,fink,flummery,folderol,fudge,fustian,gab,gabber,gabble,galimatias,gammon,gas,gibber,gibberish,gibble-gabble,give away,go on,gobbledygook,gossip,guff,gush,haver,hocus-pocus,hot air,humbug,idle talk,inform,inform on,informer,jabber,jabberer,jargon,jaw,leak,let drop,let fall,let slip,magpie,mere talk,mumbo jumbo,narc,narrishkeit,natter,niaiserie,nonsense,nonsense talk,pack of nonsense,palaver,patter,peach,peacher,piffle,pour forth,prate,prater,prating,prattle,prattler,prittle-prattle,ramble on,rant,rat,rattle,rattle on,reel off,reveal a secret,rigamarole,rigmarole,rodomontade,rubbish,run on,sing,skimble-skamble,snitch,snitcher,spill,spill the beans,spout,spout off,spy,squeal,squealer,stool,stool pigeon,stoolie,stuff and nonsense,stultiloquence,talebearer,talk,talk away,talk nonsense,talk on,talkee-talkee,tattle,tattle on,tattler,tattletale,tell on,tell secrets,tell tales,telltale,tittle-tattle,trash,trumpery,twaddle,twattle,twiddle-twaddle,vapor,vaporing,waffle,waffling,whistle-blower,yak,yakkety-yak 2461 - blabbermouth,babbler,betrayer,blab,blabber,blabberer,chatterer,delator,fink,gabber,gossip,informer,jabberer,magpie,narc,peacher,prater,prattler,snitch,snitcher,spy,squealer,stool pigeon,stoolie,talebearer,tattler,tattletale,telltale,whistle-blower 2462 - black and white,North Pole,South Pole,antipodal points,antipodes,antipoints,antipoles,arc lighting,brouillon,cartoon,charcoal,charcoal drawing,chiaroscuro,contraposita,contrapositives,contraries,contrast,counterpoles,crayon,decorative lighting,delineation,design,diagram,direct lighting,doodle,draft,drafting,drawing,ebauche,electric lighting,enlightenment,esquisse,festoon lighting,floodlighting,fluorescent lighting,gaslighting,glow lighting,graph,highlights,illumination,incandescent lighting,indirect lighting,irradiation,light and shade,lighting,line drawing,night and day,opposite poles,opposites,overhead lighting,pastel,pen-and-ink,pencil drawing,polar opposites,poles,radiation,rough copy,rough draft,rough outline,silhouette,silver-print drawing,sinopia,sketch,sketching,spot lighting,stage lighting,strip lighting,study,tonality,tracing,vignette,writing 2463 - black belt,Chinese boxer,agricultural region,arable land,bantamweight,boxer,brown belt,bruiser,citrus belt,corn belt,cotton belt,countryside,dust bowl,farm belt,farm country,farmland,featherweight,fighter,fisticuffer,flyweight,fruit belt,grass roots,grassland,grazing region,heavyweight,highlands,karate expert,light heavyweight,lightweight,lowlands,meadows and pastures,middleweight,moors,palooka,plains,prairies,prizefighter,province,provinces,pug,pugilist,rural district,rustic region,savate expert,sparrer,steppes,the country,the soil,the sticks,tobacco belt,uplands,veld,welterweight,wheat belt,wide-open spaces,woodland,woods and fields,yokeldom 2464 - black death,African lethargy,Asiatic cholera,Chagres fever,German measles,Haverhill fever,acute articular rheumatism,ague,alkali disease,ambulatory plague,amebiasis,amebic dysentery,anthrax,bacillary dysentery,bastard measles,black fever,black plague,blackwater fever,breakbone fever,brucellosis,bubonic plague,cachectic fever,cellulocutaneous plague,cerebral rheumatism,chicken pox,cholera,cowpox,dandy fever,deer fly fever,defervescing plague,dengue,dengue fever,diphtheria,dumdum fever,dysentery,elephantiasis,encephalitis lethargica,enteric fever,epidemic,epiphytotic,epizootic,erysipelas,famine fever,five-day fever,flu,frambesia,glandular fever,glandular plague,grippe,hansenosis,hemorrhagic plague,hepatitis,herpes,herpes simplex,herpes zoster,histoplasmosis,hookworm,hydrophobia,infantile paralysis,infectious mononucleosis,inflammatory rheumatism,influenza,jail fever,jungle rot,kala azar,kissing disease,larval plague,lepra,leprosy,leptospirosis,loa loa,loaiasis,lockjaw,madness,malaria,malarial fever,marsh fever,measles,meningitis,milzbrand,mumps,murrain,ornithosis,osteomyelitis,pandemia,pandemic,paratyphoid fever,parotitis,parrot fever,pertussis,pest,pesthole,pestilence,plague,plague spot,pneumonia,pneumonic plague,polio,poliomyelitis,polyarthritis rheumatism,ponos,premonitory plague,psittacosis,rabbit fever,rabies,rat-bite fever,relapsing fever,rheumatic fever,rickettsialpox,ringworm,rubella,rubeola,scarlatina,scarlet fever,schistosomiasis,scourge,septic sore throat,septicemic plague,shingles,siderating plague,sleeping sickness,sleepy sickness,smallpox,snail fever,splenic fever,spotted fever,strep throat,swamp fever,tetanus,thrush,tinea,trench fever,trench mouth,tuberculosis,tularemia,typhoid,typhoid fever,typhus,typhus fever,undulant fever,vaccinia,varicella,variola,venereal disease,viral dysentery,white plague,whooping cough,yaws,yellow fever,yellow jack,zona,zoster 2465 - black eye,aspersion,attaint,badge of infamy,bar sinister,baton,bend sinister,black mark,black-and-blue mark,blot,blur,brand,broad arrow,bruise,censure,champain,contusion,disparagement,ecchymosis,imputation,mark of Cain,mouse,odium,onus,pillorying,point champain,reflection,reprimand,reproach,shiner,slur,smear,smirch,smudge,smutch,spot,stain,stigma,stigmatism,stigmatization,taint,tarnish 2466 - black hole,Beehive,Cepheid variable,Hertzsprung-Russell diagram,Hyades,Messier catalog,NGC,POW camp,Pleiades,Seven Sisters,absolute magnitude,bastille,binary star,borstal,borstal institution,bridewell,brig,cell,concentration camp,condemned cell,death cell,death house,death row,detention camp,double star,dwarf star,federal prison,fixed star,forced-labor camp,gaol,giant star,globular cluster,gravity star,guardhouse,house of correction,house of detention,industrial school,internment camp,jail,jailhouse,keep,labor camp,lockup,magnitude,main sequence star,mass-luminosity law,maximum-security prison,minimum-security prison,neutron star,nova,open cluster,oubliette,pen,penal colony,penal institution,penal settlement,penitentiary,populations,prison,prison camp,prisonhouse,pulsar,quasar,quasi-stellar radio source,radio star,red giant star,reform school,reformatory,relative magnitude,sky atlas,spectrum-luminosity diagram,sponging house,star,star catalog,star chart,star cloud,star cluster,state prison,stellar magnitude,stockade,supernova,the hole,tollbooth,training school,variable star,white dwarf star 2467 - black humor,Atticism,agile wit,burlesque,caricature,comedy,dry wit,esprit,farce,humor,irony,lampoon,nimble wit,parody,pleasantry,pretty wit,quick wit,ready wit,salt,sarcasm,satire,savor of wit,slapstick,slapstick humor,squib,subtle wit,travesty,visual humor,wit 2468 - black lung,Asiatic flu,Hong Kong flu,Minamata disease,acute bronchitis,adenoiditis,altitude sickness,aluminosis,amygdalitis,anoxemia,anoxia,anoxic anoxia,anthracosilicosis,anthracosis,anthrax,asbestosis,asthma,atypical pneumonia,bituminosis,bronchial pneumonia,bronchiectasis,bronchiolitis,bronchitis,bronchopneumonia,caisson disease,catarrh,chalicosis,chilblain,chronic bronchitis,cold,collapsed lung,common cold,coniosis,coryza,croup,croupous pneumonia,decompression sickness,double pneumonia,dry pleurisy,emphysema,empyema,epidemic pleurodynia,fibrinous pneumonia,flu,frostbite,grippe,hay fever,immersion foot,influenza,itai,jet lag,la grippe,laryngitis,lead poisoning,lipoid pneumonia,lobar pneumonia,lung cancer,lung fever,mercury poisoning,motion sickness,pharyngitis,pleurisy,pleuritis,pneumococcal pneumonia,pneumoconiosis,pneumonia,pneumonic fever,pneumothorax,quinsy,radiation sickness,radionecrosis,red-out,rheum,siderosis,silicosis,sore throat,sunstroke,swine flu,the bends,the sniffles,the snuffles,tonsilitis,trench foot,virus pneumonia,wet pleurisy,whooping cough 2469 - black magic,Black Mass,Satanism,chthonian worship,demonism,demonography,demonolatry,demonology,demonomancy,demonomy,demonry,devil lore,devil worship,devilry,diablerie,diabolism,diabology,diabolology,sorcery,the black art 2470 - black man,American Indian,Amerind,Australian aborigine,Bushman,Caucasian,Indian,Malayan,Mister Charley,Mongolian,Negrillo,Negrito,Negro,Oriental,Red Indian,WASP,black,blackfellow,boy,brown man,burrhead,colored person,coon,darky,gook,honky,jigaboo,jungle bunny,nigger,niggra,ofay,paleface,pygmy,red man,redskin,slant-eye,spade,the Man,white,white man,whitey,yellow man 2471 - black mark,aspersion,attaint,badge of infamy,bar sinister,baton,bend sinister,black eye,blot,blur,brand,broad arrow,censure,champain,disparagement,imputation,mark of Cain,onus,pillorying,point champain,reflection,reprimand,reproach,slur,smear,smirch,smudge,smutch,spot,stain,stigma,stigmatism,stigmatization,taint,tarnish 2472 - black market,Cosa Nostra,Mafia,actionable,against the law,anarchic,anarchistic,anomic,black-marketeer,bootleg,bootlegging,chargeable,contraband,contrary to law,criminal,felonious,fence,flawed,gambling,gray market,illegal,illegal commerce,illegal operations,illegitimate,illegitimate business,illicit,illicit business,impermissible,irregular,justiciable,lawless,loan-sharking,moonshine,moonshining,narcotics traffic,nonconstitutional,nonlegal,nonlicit,organized crime,outlaw,outlawed,prostitution,protection racket,punishable,push,racket,shady dealings,shove,the rackets,the syndicate,traffic in women,triable,unallowed,unauthorized,unconstitutional,under-the-counter,under-the-table,unlawful,unofficial,unstatutory,unwarrantable,unwarranted,usury,white slavery,wrongful 2473 - Black Mass,Satanism,black magic,chthonian worship,demonism,demonography,demonolatry,demonology,demonomancy,demonomy,demonry,devil lore,devil worship,devilry,diablerie,diabolism,diabology,diabolology,sorcery 2474 - black out,annul,becloud,bedarken,bedim,begloom,black,blacken,block the light,blot out,brown,cancel,cast a shadow,censor,cloud,cloud over,crap out,darken,darken over,delete,dim,dim out,drop,eclipse,efface,encloud,encompass with shadow,expunge,faint,fall senseless,gloom,gray out,hugger-mugger,hush,hush up,hush-hush,keel over,kill,muffle,murk,obfuscate,obliterate,obnubilate,obscure,obumbrate,occult,occultate,overcast,overcloud,overshadow,pass out,quash,repress,shade,shadow,shush,sit on,smother,somber,squash,squelch,stifle,succumb,suppress,swoon,wipe out 2475 - black power,Black Power,Italian vote,Jewish vote,Jim Crow,Jim Crow law,Polish Power,White Power,amperage,anti-Semitism,apartheid,armipotence,authority,beef,black supremacy,black vote,brute force,charge,charisma,chauvinism,class consciousness,class distinction,class hatred,class prejudice,class war,clout,cogence,cogency,color bar,color line,compulsion,dint,discrimination,drive,duress,effect,effectiveness,effectuality,energy,farm interests,fascism,financial interests,flower power,force,force majeure,forcefulness,full blast,full force,influence,interest group,know-nothingism,labor interests,main force,main strength,male chauvinist,mana,might,might and main,mightiness,minority prejudice,moxie,muscle power,pizzazz,poop,potence,potency,potentiality,power,power pack,power structure,power struggle,powerfulness,prepotency,pressure group,productiveness,productivity,puissance,pull,punch,push,race hatred,race prejudice,race snobbery,racial discrimination,racialism,racism,red-baiting,segregation,sex discrimination,sexism,sinew,social barrier,social discrimination,special interests,special-interest group,steam,strength,strong arm,superiority,superpatriotism,superpower,ultranationalism,validity,vehemence,vested interests,vigor,vim,virility,virtue,virulence,vitality,wattage,weight,white power,white supremacy,xenophobia 2476 - black sheep,backslider,bad egg,bad lot,blemish,degenerate,fallen angel,foreign body,foreign intruder,impurity,intruder,lecher,lost sheep,lost soul,miscreant,misfit,monkey wrench,mote,oddball,pervert,pimp,profligate,recidivist,recreant,reprobate,scapegrace,sliver,sorry lot,speck,splinter,stone,trollop,weed,whore 2477 - black,American Indian,Amerind,Australian aborigine,Brunswick black,Bushman,Caucasian,Indian,Malayan,Mister Charley,Mongolian,Negrillo,Negrito,Negro,Oriental,Red Indian,Stygian,WASP,abominable,absolute,angry,aniline black,apocalyptic,arrant,asperse,atramentous,atrocious,awful,bad,bad-tempered,baleful,ban,baneful,base,beamless,beetle-browed,black as coal,black as ebony,black as ink,black as midnight,black as night,black man,black race,black-browed,black-skinned,blacken,blackfellow,blackguardly,blackish,blacklist,blackness,blamable,blameworthy,bleak,blue black,bodeful,boding,bone black,boy,boycott,brown man,brunet,burrhead,calamitous,caliginous,calumniate,carbon black,cataclysmal,cataclysmic,catastrophic,charcoal,chrome black,clouded,coal,coal-black,coaly,colored,colored person,complete,contuse,coon,corbeau,crape,criminal,crow,cypress,cypress lawn,damnable,dark,dark as night,dark as pitch,dark-complexioned,dark-skinned,darkling,darkness,darksome,darky,dastardly,deadly,deathly,deep black,deep mourning,defame,dejected,depressing,depressive,destructive,diabolical,dire,disastrous,disgraceful,dismal,dispiriting,doomful,dour,downright,drear,drearisome,dreary,drop black,dumpish,dusky,ebon,ebony,eclipsed,embargo,evil,evil-starred,execrable,fatal,fateful,felonious,filthy,flagitious,flagrant,foreboding,foul,frowning,funebrial,funereal,furious,gloomy,glowering,glum,gook,grave,gray,grievous,grim,grubby,grum,hateful,heinous,hellish,honky,hyacinthine,ill,ill-boding,ill-fated,ill-omened,ill-starred,improper,impure,inaccurate,inauspicious,inexpedient,infamous,inferior,infernal,iniquitous,ink,ink-black,inkiness,inky,insidious,interdict,invalid,ivory black,japan,jet,jetty,jigaboo,jungle bunny,knavish,lampblack,libel,low,lowering,malevolent,malicious,malignant,melancholy,melanian,melanic,melanism,melanistic,melano,melanotic,melanous,menacing,midnight,monstrous,moodish,moody,mopey,moping,mopish,morose,mourning,mourning band,mumpish,nasty,naughty,nefarious,nigger,niggra,night,night-black,night-clad,night-cloaked,night-dark,night-enshrouded,night-filled,night-mantled,night-veiled,nigrescence,nigritude,nigrous,obfuscated,obscure,obscured,occulted,of evil portent,ofay,ominous,onyx,oppressive,out-and-out,outrageous,outright,paleface,peccant,perfect,perfidious,pitch,pitch-black,pitch-dark,pitchy,portending,portentous,positive,pygmy,rank,raven,raven-black,rayless,red man,redskin,regular,reprehensible,reprobate,resentful,ruinous,sable,sackcloth,sackcloth and ashes,saturnine,scandalous,scowling,scurvy,shameful,sinful,sinister,slander,slant-eye,slate,sloe,sloe-black,sloe-colored,slur,smear,smoke,smut,soily,solemn,somber,sombrous,soot,sooty,spade,squalid,starless,sulky,sullen,sunless,surly,swart,swarthy,tar,tar-black,tarry,tenebrious,tenebrose,tenebrous,the Man,thoroughgoing,threatening,throw mud at,traduce,tragic,treacherous,triste,unclean,uncleanly,unconscionable,unfavorable,unforgivable,unfortunate,unhealthy,unilluminated,unkind,unlighted,unlit,unlucky,unpardonable,unpleasant,unprincipled,unpromising,unpropitious,unscrupulous,unskillful,unspeakable,untoward,unworthy,vicious,vile,vilify,villainous,weariful,wearisome,weary,weeds,white,white man,whitey,wicked,wrathful,wreckful,wrong,yellow man,yew 2478 - blackball,ban,banish,banishment,blackballing,blacklist,boycott,boycottage,cast out,categorically reject,complaint,cut,deport,dim view,disagreement,disallow,disappointment,disapprobation,disapproval,disapprove,disapprove of,discontent,discontentedness,discontentment,disenchantment,disesteem,disfavor,disfellowship,disgruntlement,disillusion,disillusionment,displeasure,disrespect,dissatisfaction,dissent,dissent from,distaste,exclude,exclusion,excommunicate,exile,expatriate,expel,extradite,frown at,frown down,frown upon,fugitate,grimace at,indignation,look askance at,look black upon,low estimation,low opinion,not approve,not go for,not hear of,not hold with,object,object to,objection,oppose,opposition,opposure,ostracism,ostracization,ostracize,outlaw,proscribe,proscription,protest,reject,rejection,relegate,rusticate,say no to,send away,send down,send to Coventry,snub,spurn,take exception to,think ill of,think little of,thrust out,thumb down,thumbs-down,transport,unhappiness,view with disfavor 2479 - blackdamp,afterdamp,breath,chokedamp,cloud,coal gas,damp,effluvium,exhalation,exhaust,exhaust gas,fetid air,firedamp,flatus,fluid,fume,malaria,mephitis,miasma,puff of smoke,reek,smoke,smudge,steam,vapor,volatile,water vapor 2480 - blacken,abuse,asperse,attaint,bark at,becloud,bedarken,bedaub,bedim,begloom,begrime,berate,besmear,besmirch,besmoke,besmutch,besoil,bespatter,bestain,betongue,black,black out,blackwash,block the light,blot,blot out,blotch,blow upon,blur,brand,brown,call names,cast a shadow,cast aspersions on,censure,charcoal,cloud,cloud over,cork,darken,darken over,daub,defame,defile,denigrate,dim,dim out,dinge,dirty,disapprove,discolor,discredit,disparage,ebonize,eclipse,encloud,encompass with shadow,engage in personalities,execrate,expose,expose to infamy,fulminate against,gibbet,gloom,hang in effigy,heap dirt upon,ink,jaw,libel,load with reproaches,malign,mark,melanize,muckrake,murk,nigrify,obfuscate,obnubilate,obscure,obumbrate,occult,occultate,overcast,overcloud,overshadow,oversmoke,pillory,rag,rail at,rate,rave against,reprimand,revile,scorch,sear,shade,shadow,singe,slander,slubber,slur,smear,smirch,smoke,smouch,smudge,smut,smutch,soil,somber,soot,spot,stain,stigmatize,sully,taint,tarnish,throw mud at,thunder against,tongue-lash,traduce,vilify,vituperate,yell at,yelp at 2481 - blackhead,birthmark,bleb,blemish,blister,bulla,check,cicatrix,comedo,crack,crater,craze,defacement,defect,deformation,deformity,disfiguration,disfigurement,distortion,fault,flaw,freckle,hemangioma,hickey,keloid,kink,lentigo,milium,mole,needle scar,nevus,pimple,pit,pock,pockmark,port-wine mark,port-wine stain,pustule,rift,scab,scar,scratch,sebaceous cyst,split,strawberry mark,sty,track,twist,verruca,vesicle,wale,warp,wart,weal,welt,wen,whitehead 2482 - blackjack,Boston,Earl of Coventry,Pit,Polish bank,Russian bank,all fours,baccarat,banker,bastinado,bat,battering ram,billy,billy club,bludgeon,bluff,brag,bridge,bulldoze,bully,canasta,cane,casino,club,coerce,commerce,commit,connections,contract,contract bridge,cosh,cribbage,cudgel,dragoon,ecarte,euchre,faro,ferule,five hundred,flinch,fright,frog,gin,gin rummy,goat,hearts,hijack,intimidate,keno,knobkerrie,lansquenet,life preserver,loo,lottery,lotto,mace,matrimony,monte,morning star,napoleon,nightstick,old maid,ombre,paddle,patience,penny ante,picquet,poker,put-and-take,quadrille,quarterstaff,ram,reverse,rouge et noir,rum,rummy,sandbag,seven-up,shanghai,shillelagh,skat,snipsnapsnorum,solitaire,speculation,spontoon,staff,stave,steamroller,stick,straight poker,strong-arm,stud poker,thirty-one,truncheon,twenty-one,use violence,vingt-et-un,war club,whist 2483 - blackleg,Texas fever,anthrax,aphthous fever,bighead,black quarter,blackwater,blind staggers,bloody flux,broken wind,cattle plague,charbon,cheat,cheater,chiseler,cozener,crook,defrauder,diddler,distemper,fink,flimflam man,flimflammer,foot-and-mouth disease,gapes,glanders,gyp artist,gypper,heaves,hog cholera,hoof-and-mouth disease,hydrophobia,juggler,liver rot,loco,loco disease,locoism,mad staggers,malignant catarrh,malignant catarrhal fever,malignant pustule,mange,megrims,milzbrand,paratuberculosis,pip,pseudotuberculosis,quarter evil,rabies,rat,rinderpest,rot,scab,scabies,sheep rot,splenic fever,staggers,strikebreaker,stringhalt,swindler,swine dysentery,two-timer 2484 - blacklist,anathematize,attaint,ban,banish,banishment,blackball,boycott,boycottage,bring home to,censure,condemn,convict,damn,denounce,denunciate,disfellowship,doom,excommunicate,find guilty,ostracism,ostracization,ostracize,outlaw,pass sentence on,penalize,pronounce judgment,pronounce sentence,proscribe,proscription,sentence 2485 - blackmail,account,allowance,ask,ask for,assessment,badger,badger game,bill,blood money,bloodsucking,boodle,booty,call,call for,challenge,claim,clamor for,coerce,compel,contribution,cry for,demand,demand for,draft,drain,duty,emolument,exact,exaction,extort,extortion,extortionate demand,fee,footing,force,force from,graft,haul,heavy demand,hot goods,hush money,impose,imposition,impost,indent,initiation fee,insistent demand,issue an ultimatum,levy,levy blackmail,loot,make,make a demand,mileage,nonnegotiable demand,notice,order,order up,perks,perquisite,pickings,place an order,plunder,pork barrel,prize,protection racket,pry loose from,public till,public trough,put in requisition,ransom,reckoning,rend,rend from,require,requirement,requisition,retainer,retaining fee,rip,rip from,rush,rush order,scot,screw,shake down,shakedown,snatch from,spoil,spoils,spoils of office,squeeze,stealings,stipend,stolen goods,swag,take,tax,taxing,tear from,till,tribute,ultimatum,vampirism,warn,warning,wrench,wrench from,wrest,wring,wring from 2486 - blackout,KO,agnosia,amnesia,anoxia,asteroids,aurora particles,bamboo curtain,barrier of secrecy,blocking,brownout,catalepsy,catatonia,catatony,censorship,coma,cosmic particles,cosmic ray bombardment,curtain,dematerialization,departure,dimout,disappearance,disappearing,dispersion,dissipation,dissolution,dissolving,eclipse,elimination,erasure,evanescence,evaporation,extinction,fadeaway,fadeout,fading,faint,fugue,going,grayout,hush-up,intergalactic matter,iron curtain,ironbound security,kayo,knockout,lipothymia,lipothymy,loss of memory,melting,meteor dust impacts,meteors,nirvana,nirvana principle,nothingness,oath of secrecy,oblivion,obliviousness,occultation,official secrecy,pall,passing,pressure suit,radiation,repression,seal of secrecy,security,semiconsciousness,senselessness,sleep,smothering,space bullets,stifling,stupor,suppression,swoon,syncope,the bends,unconsciousness,vanishing,vanishing point,veil,veil of secrecy,weightlessness,wipe,word deafness,wraps 2487 - blacktop,Tarmac,Tarvia,asphalt,bitumen,bituminous macadam,brick,carpet,causeway,cement,cobble,cobblestone,concrete,curb,curbing,curbstone,edgestone,flag,flagging,flagstone,floor,gravel,kerb,kerbstone,macadam,metal,pave,pavement,pavestone,paving,paving stone,pebble,road metal,stone,tar,tarmacadam,tile,washboard 2488 - bladder,air bubble,bag,ball,balloon,bleb,blister,blob,blood blister,boll,bolus,bubble,bulb,bulbil,bulblet,bulla,cap and bells,coxcomb,ellipsoid,fever blister,fob,geoid,globe,globelet,globoid,globule,glomerulus,gob,gobbet,knob,knot,motley,oblate spheroid,orb,orbit,orblet,pellet,pocket,poke,prolate spheroid,rondure,sac,sack,slapstick,soap bubble,sock,sphere,spheroid,spherule,vesicle 2489 - blade,Beau Brummel,Excalibur,Skimobile,Sno-Cat,alveolar ridge,alveolus,apex,arytenoid cartilages,ax,back,battler,bayonet,beau,belligerent,belted knight,bickerer,blood,boulevardier,bract,bracteole,bractlet,bravo,brawler,bully,bullyboy,clotheshorse,cold steel,combatant,competitor,contender,contestant,cotyledon,coxcomb,cutlass,cutlery,cutter,cutting edge,dagger,dandy,disputant,dorsum,dude,duelist,edge tools,enforcer,exquisite,fashion plate,fencer,feuder,fighter,fighting cock,fine gentleman,flag,floral leaf,foilsman,foliole,fop,fribble,frond,gallant,gamecock,gladiator,glume,goon,gorilla,hard palate,hatchet man,hood,hoodlum,hooligan,involucre,involucrum,jack-a-dandy,jackanapes,jackknife,jouster,knife,knight,lady-killer,lamina,larynx,leaf,leaflet,lemma,ligule,lips,macaroni,man-about-town,masher,militant,naked steel,nasal cavity,needle,oral cavity,palate,penknife,petal,pharyngeal cavity,pharynx,pigsticker,pile,pine needle,playboy,plug-ugly,point,poniard,puncturer,puppy,quarreler,rapier,rioter,rival,rough,rowdy,ruffian,runner,sabreur,scrapper,scuffler,seed leaf,sepal,sharpener,shoot,sled,sleigh,snowmobile,soft palate,spark,spathe,spear,speech organ,spire,sport,squabbler,steel,stiletto,stipula,stipule,strong arm,strong-arm man,strong-armer,struggler,swashbuckler,swell,sword,swordplayer,swordsman,syrinx,teeth,teeth ridge,thug,tilter,tip,toad sticker,tongue,tough,trusty sword,tussler,velum,vocal chink,vocal cords,vocal folds,vocal processes,voice box,weasel,whittle,wrangler 2490 - blah feeling,adynamia,anemia,atony,bloodlessness,cachexia,cachexy,cowardice,debilitation,debility,dullness,etiolation,faintness,fatigue,feebleness,flabbiness,flaccidity,impotence,languishment,languor,lassitude,listlessness,prostration,sluggishness,softness,strengthlessness,weakliness,weakness,weariness 2491 - blah,Laodicean,Olympian,acedia,aloof,aloofness,apathetic,apathy,arid,ataraxia,ataraxy,balderdash,baloney,banausic,barren,benumbed,benumbedness,bilge,blah-blah,blahs,blank,blase,blather,blatherskite,bloodless,bop,bosh,broken-record,bull,bullshit,bunk,bunkum,characterless,cold,colorless,comatose,comatoseness,crap,dead,desensitized,detached,detachment,dim,disinterest,disinterested,dismal,dispassion,draggy,drearisome,dreary,dry,dryasdust,dull,dullness,dusty,effete,elephantine,empty,etiolated,everlasting,eyewash,fade,flapdoodle,flat,gas,guff,gup,harping,heartless,heartlessness,heavy,hebetude,hebetudinous,ho-hum,hogwash,hokum,hollow,hooey,hopeless,hopelessness,hot air,humbug,humdrum,in a stupor,inane,inappetence,indifference,indifferent,inexcitable,insipid,insouciance,insouciant,invariable,jejune,jog-trot,lack of appetite,languid,languidness,leaden,lethargic,lethargicalness,lethargy,lifeless,listless,listlessness,long-winded,low-spirited,malarkey,monotone,monotonous,moonshine,nonchalance,nonchalant,numb,numbed,numbness,pale,pallid,passive,passiveness,passivity,pedestrian,phlegm,phlegmatic,phlegmaticalness,phlegmaticness,piffle,plodding,pluckless,plucklessness,pointless,poky,ponderous,poppycock,prolix,resignation,resigned,resignedness,rot,scat,shit,singsong,slack,sloth,slow,sluggish,sluggishness,solemn,sopor,soporific,soporifousness,spiritless,spiritlessness,spunkless,spunklessness,sterile,stiff,stodgy,stoic,stuffy,stupefaction,stupefied,stupor,superficial,supine,supineness,tasteless,tedious,tommyrot,torpid,torpidity,torpidness,torpor,treadmill,tripe,uncaring,unconcern,unconcerned,uneventful,uninterested,unlively,unvarying,vapid,wind,withdrawn,withdrawnness,wooden 2492 - blahs,acedia,aloofness,angst,anguish,anxiety,apathy,ataraxia,ataraxy,benumbedness,blah,blue devils,blues,boredom,cheerlessness,comatoseness,detachment,discomfort,discomposure,discontent,disinterest,dislike,dismals,dispassion,displeasure,disquiet,dissatisfaction,doldrums,dolefuls,dread,dullness,dumps,emptiness,ennui,existential woe,flatness,grimness,heartlessness,hebetude,hopelessness,inappetence,indifference,inquietude,insouciance,joylessness,lack of appetite,lack of pleasure,languidness,lethargicalness,lethargy,listlessness,malaise,megrims,mopes,mulligrubs,mumps,nausea,nonchalance,nongratification,nonsatisfaction,numbness,painfulness,passiveness,passivity,phlegm,phlegmaticalness,phlegmaticness,plucklessness,resignation,resignedness,savorlessness,sloth,sluggishness,sopor,soporifousness,spiritlessness,spleen,spunklessness,staleness,stupefaction,stupor,sulks,supineness,tastelessness,tediousness,tedium,torpidity,torpidness,torpor,uncomfortableness,unconcern,unease,uneasiness,unhappiness,unpleasure,unsatisfaction,vexation of spirit,withdrawnness 2493 - blame,account for,accountability,accounting for,accredit with,accrete to,accusal,accusation,accuse,accusing,acknowledge,allegation,allegement,anathema,anathematize,anathemize,animadvert on,answerability,application,apply to,arraign,arraignment,arrogation,ascribe to,ascription,assign to,assignation,assignment,attach to,attachment,attribute to,attribution,bill of particulars,blame for,blame on,bring home to,bringing of charges,bringing to book,call to account,cast blame upon,cast reflection upon,castigation,censure,charge,charge on,charge to,complain against,complaint,condemn,condemnation,confess,connect with,connection with,count,credit,credit with,criticism,criticize,cry down,cry out against,cry out on,cry shame upon,culpability,damn,damnation,decrial,decry,delation,denounce,denouncement,denunciate,denunciation,derivation from,disapprobation,disapproval,etiology,excoriation,fasten upon,father upon,fault,fix on,fix upon,flaying,fulminate against,fulmination,fustigation,guilt,hang on,hold against,honor,impeach,impeachment,implication,impugn,imputation,impute,impute to,incriminate,indict,indictment,information,innuendo,insinuation,inveigh against,knock,lawsuit,lay to,laying of charges,liability,objurgation,onus,palaetiology,pillorying,pin on,pinpoint,place upon,placement,plaint,point to,prosecution,rap,rebuke,recriminate,recrimination,refer to,reference to,reflect upon,reprehend,reprehension,reprimand,reproach,reprobate,reprobation,reproof,reprove,responsibility,saddle on,saddle with,saddling,scold,set down to,settle upon,shake up,skin,skinning alive,stricture,suit,taxing,true bill,unspoken accusation,veiled accusation 2494 - blamed,absolute,accused,arraigned,blankety-blank,blasted,blessed,bloody,charged,cited,complete,confounded,consummate,dadburned,damnable,danged,darn,darned,dashed,denounced,deuced,doggone,doggoned,downright,execrable,goldanged,goldarned,goshdarn,gross,impeached,implicated,impugned,in complicity,incriminated,inculpated,indicted,infernal,involved,out-and-out,perfect,rank,regular,reproached,ruddy,straight-out,tasked,taxed,under attack,under fire,unmitigated 2495 - blameless,Christian,angelic,childlike,clean,clear,creditable,decent,dovelike,erect,estimable,ethical,exemplary,fair,faultless,full of integrity,good,guiltless,high-minded,high-principled,highly respectable,honest,honorable,immaculate,in the clear,incorrupt,inculpable,innocent,inviolate,irreprehensible,irreproachable,just,lamblike,law-abiding,law-loving,law-revering,lily-white,manly,moral,noble,not guilty,offenseless,prelapsarian,principled,pristine,pure,reproachless,reputable,respectable,right,right-minded,righteous,sans reproche,sinless,spotless,stainless,sterling,true-dealing,true-devoted,true-disposing,true-souled,true-spirited,truehearted,unblemished,uncorrupt,uncorrupted,undefiled,unfallen,unimpeachable,unlapsed,unspotted,unstained,unsullied,untarnished,untouched by evil,upright,uprighteous,upstanding,virtuous,with clean hands,without reproach,worthy,yeomanly 2496 - blameworthy,abominable,accusable,amiss,arraignable,arrant,at fault,atrocious,awful,bad,base,beastly,beneath contempt,black,blamable,blameful,brutal,censurable,chargeable,contemptible,criminal,culpable,damnable,dark,delinquent,deplorable,despicable,detestable,dire,disgraceful,disgusting,dreadful,egregious,enormous,evil,execrable,faultful,fetid,filthy,flagitious,flagrant,foolish,foul,fulsome,grievous,gross,guilty,hateful,heinous,horrible,horrid,illaudable,impeachable,improper,imputable,indictable,infamous,iniquitous,irresponsible,knavserve,distress,do a mischief,do evil,do ill,do wrong,do wrong by,doom,draw,draw on,enamor,enchant,endear,enrapture,enravish,enthrall,entrance,envenom,ish,lamentable,loathsome,lousy,low,monstrous,nasty,naughty,nefarious,noisome,notorious,obnoxious,odious,offensive,open to criticism,outrageous,peccant,pitiable,pitiful,punishable,rank,reckless,regrettable,reprehensible,reproachable,reprobate,reprovable,repulsive,rotten,sad,scandalous,schlock,scurvy,shabby,shameful,shocking,shoddy,sinful,sordid,squalid,terrible,to blame,too bad,unclean,uncommendable,unforgivable,unholy,unpardonable,unpraiseworthy,unpretty,unspeakable,unworthy,vicious,vile,villainous,wicked,woeful,worst,worthless,wretched,wrong 2497 - blanch,ache,achromatize,agonize,ail,anguish,bake,barbecue,baste,besnow,bleach,bleach out,blench,blush,boil,braise,brew,broil,brown,chalk,change color,coddle,color,cook,crimson,curry,darken,decolor,decolorize,devil,dim,discolor,do,do to perfection,drain,drain of color,dull,etiolate,fade,fade out,feel pain,feel the pangs,fire,flinch,flush,fricassee,frizz,frizzle,frost,fry,fume,glow,griddle,grill,grimace,grizzle,grow pale,have a misery,heat,hurt,look black,lose color,mantle,oven-bake,pale,pan,pan-broil,parboil,peroxide,poach,pound,prepare,prepare food,quail,redden,roast,saute,scallop,sear,shirr,shoot,shrink,silver,simmer,smart,squinch,start,steam,stew,stir-fry,suffer,tarnish,thrill,throb,tone down,turn color,turn pale,turn red,turn white,twinge,twitch,wan,wash out,white,whiten,wince,writhe 2498 - blanched,aghast,appalled,ashen,ashy,astounded,awed,awestricken,awestruck,bleached,bleached white,colorless,cowed,deadly pale,decolored,decolorized,doughy,drained,drained of color,eroded,faded,frozen,gray with fear,horrified,horror-struck,intimidated,lightened,livid,pale as death,pallid,paralyzed,petrified,scared stiff,scared to death,stunned,stupefied,terrified,terror-crazed,terror-haunted,terror-ridden,terror-riven,terror-shaken,terror-smitten,terror-struck,terror-troubled,undone,unmanned,unnerved,unstrung,wan,washed-out,waxen,weather-battered,weather-beaten,weather-bitten,weather-eaten,weather-wasted,weathered,weatherworn,whitened 2499 - bland,abstract,adulatory,balmy,banal,bare,barren,blah,blandishing,blank,blarneying,bleached,boring,broad,buttery,cajoling,calm,changeable,characterless,civilized,clear,collective,complimentary,composed,cool,courtierly,courtly,devoid,disarming,dull,empty,faint,fair-spoken,fawning,featureless,fine-spoken,flat,flattering,fulsome,general,generalized,generic,gentle,glib,good-natured,gushing,halfhearted,hollow,honey-mouthed,honey-tongued,honeyed,inane,indecisive,indefinite,indeterminate,infirm of purpose,infirm of will,ingratiating,insincere,insinuating,insipid,insouciant,irresolute,judicious,lenient,mealymouthed,mild,mild as milk,milk-and-water,milky,moderate,mushy,namby-pamby,nebulous,neutral,nonchalant,nonspecific,nonviolent,null,null and void,obsequious,oily,oily-tongued,pacifistic,peaceable,peaceful,prudent,sapless,slimy,slobbery,smarmy,smooth,smooth-spoken,smooth-tongued,smug,soapy,sober,soft,soft-soaping,soft-spoken,soothing,suave,suave-spoken,sycophantic,tame,tasteless,temperate,uncharacterized,unctuous,undifferentiated,unemotional,uninteresting,unrelieved,unruffled,unspecified,urbane,vacant,vacuous,vague,vapid,void,waterish,watery,wheedling,white,wide,wishy-washy,with nothing inside,without content 2500 - blandish,adulate,advocate,allure,apply pressure,bait,bait the hook,banter,be hypocritical,beguile,beset,besiege,beslobber,beslubber,blarney,bug,buttonhole,cajole,call on,call upon,cant,charm,coax,compliment,con,conceit,decoy,draw,draw in,draw on,dun,ensnare,entice,exert pressure,exhort,fawn upon,flatter,flirt,flirt with,give lip service,give mouth honor,give the come-on,high-pressure,importune,insist,insist upon,inveigle,jawbone,lead on,lobby,lure,make fair weather,mouth,nag,nag at,offer bait to,oil the tongue,palaver,pester,plague,play the hypocrite,plead with,ply,praise,press,pressure,push,recommend,reek of piety,render lip service,rope in,seduce,slobber over,snivel,snuffle,soft-soap,suck in,sweet-talk,tease,urge,wheedle,woo,work on 2501 - blandishment,adulation,agacerie,allure,allurement,appeal,artful endearments,attraction,attractiveness,beguilement,beguiling,bewitchery,bewitchment,blandishments,blarney,bunkum,buttonholing,cajolement,cajolery,captivation,caress,charisma,charm,charmingness,coaxing,come-hither,compliment,conning,dunning,enchantment,endearment,engagement,enlistment,enthrallment,enticement,entrapment,exhortation,eyewash,fair words,fascination,fawning,flattery,flirtation,forbidden fruit,glamour,grease,honeyed phrases,honeyed words,hortation,importunateness,importunity,incense,inducement,interest,inveiglement,invitation,jawboning,lobbying,magnetism,nagging,oil,palaver,pat,persuasion,pestering,plaguing,plying,praise,preaching,preachment,pressing,pressure,pretty lies,sales talk,salesmanship,seducement,seduction,seductiveness,selling,sex appeal,snaring,snow job,soap,soft soap,soft words,solicitation,suasion,sweet nothings,sweet talk,sweet words,sycophancy,tantalization,teasing,temptation,urgency,urging,wheedling,winning ways,winsomeness,witchery,wooing,working on 2502 - blank check,CD,IOU,MO,acceptance,acceptance bill,ample scope,bank acceptance,bank check,bill,bill of draft,bill of exchange,carte blanche,certificate,certificate of deposit,certified check,check,checkbook,cheque,clearance,commercial paper,copyright,debenture,demand bill,demand draft,dispensation,draft,due bill,elbowroom,exchequer bill,favor,field,franchise,free course,free hand,free play,free scope,freedom,full authority,full power,full scope,full swing,grant,immunity,indulgence,latitude,leeway,letter of credit,liberty,license,long rope,maneuvering space,margin,money order,negotiable instrument,no holds barred,note,note of hand,open mandate,open space,paper,patent,play,postal order,privilege,promissory note,range,room,rope,scope,sea room,sight bill,sight draft,space,special favor,swing,time bill,time draft,tolerance,trade acceptance,treasury bill,voucher,warrant,way,wide berth 2503 - blank wall,bar,barricade,barrier,blind alley,blind gut,block,blockade,blockage,bottleneck,cecum,choking,choking off,clog,congestion,constipation,costiveness,cul-de-sac,dead end,embolism,embolus,fence,gorge,impasse,impediment,infarct,infarction,jam,obstacle,obstipation,obstruction,roadblock,sealing off,stop,stoppage,strangulation,wall 2504 - blank,Olympian,absence,absolute,aloof,arid,awayness,backward,bald,bare,barren,bashful,bewildered,black,blah,bland,blankminded,bleached,blind,blind-alley,bloodless,box,calm,cecal,characterless,chasm,chilled,chilly,chirograph,choked,choked off,clean slate,clear,closed,cold,colorless,complete,confused,constrained,constricted,contracted,cool,dazed,dead,dead-end,deadpan,deprivation,detached,devoid,discomfited,disconcerted,discreet,dismal,distant,docket,document,dossier,downright,draggy,drearisome,dreary,dry,dryasdust,dull,dusty,effete,elephantine,emotionless,emptiness,empty,empty space,empty-headed,empty-minded,empty-pated,empty-skulled,etiolated,expressionless,fade,fatuous,featureless,file,fishy,flat,forbidding,form,frigid,frosty,glassy,guarded,heavy,helpless,ho-hum,hollow,holograph,icy,impassive,impersonal,inaccessible,inane,inanity,incogitant,inexcitable,inexpressive,insipid,instrument,introverted,jejune,lack,leaden,legal document,legal instrument,legal paper,lifeless,line,low-spirited,mindless,modest,naked,neverness,nil,nirvanic,nonexistence,nonoccurrence,nonplussed,nonpresence,nothing,nothingness,nowhereness,nude,null,null and void,oblivious,official document,offish,out-and-out,overlook,oversight,pale,pallid,paper,papers,parchment,passive,pedestrian,perfect,perplexed,personal file,plain,plodding,pointless,poker-faced,poky,ponderous,preterition,pure,quietistic,rattlebrained,rattleheaded,regular,relaxed,remote,removed,repressed,reserved,restrained,reticent,retiring,roll,scatterbrained,scrip,script,scroll,sheer,shrinking,shut,skip,slow,solemn,space,spiritless,squeezed shut,standoff,standoffish,stark,sterile,stiff,stodgy,straight-out,strangulated,stuffy,subdued,subtraction,superficial,suppressed,tabula rasa,tasteless,tedious,thoughtfree,thoughtless,tranquil,unadorned,unadulterated,unaffable,unapproachable,unarrayed,uncomplicated,uncongenial,undecked,undecorated,undemonstrative,undressed,unembellished,unexpansive,unexpressive,unfurbished,ungarnished,ungenial,unideaed,unintellectual,unlively,unmixed,unoccupied,unopen,unopened,unornamented,unqualified,unreasoning,unrelieved,unsophisticated,unthinking,untrimmed,unvarnished,unvented,unventilated,utter,vacant,vacuous,vacuum,vapid,void,want,white,with nothing inside,withdrawn,without content,wooden,writ,writing,zero 2505 - blanket,across-the-board,afghan,all-comprehensive,all-inclusive,apply to,becloud,bed linen,bedclothes,bedcover,bedding,bedsheet,bedspread,befog,blind,block,buffalo robe,camouflage,canopy,cap,case,casual,cloak,clothe,clothes,cloud,coat,comfort,comforter,compendious,complete,comprehensive,conceal,contour sheet,cope,counterpane,cover,cover up,coverage,covering,coverlet,coverlid,covert,coverture,cowl,cowling,crown,curtain,disguise,dissemble,distract attention from,drape,drapery,eclipse,eiderdown,encyclopedic,ensconce,enshroud,envelop,film,fitted sheet,general,global,gloss over,guise,hanging,hide,hood,housing,imprudent,indiscreet,indiscriminate,indiscriminative,insensitive,keep under cover,lap robe,lay on,lay over,linen,mantle,mask,muffle,nonjudgmental,obduce,obfuscate,obscure,occult,omnibus,over-all,overcast,overlay,overspread,pall,panoramic,patchwork quilt,pillow slip,pillowcase,promiscuous,put on,quilt,robe,rug,screen,scum,shade,sheet,sheeting,shelter,shield,shroud,slip,slur over,spread,spread over,superimpose,superpose,sweeping,synoptic,tactless,total,uncritical,uncriticizing,undemanding,undifferentiating,undiscreet,undiscriminating,undiscriminative,unexacting,unfastidious,universal,unmeticulous,unparticular,unselective,unsubtle,untactful,varnish,veil,vestment,whitewash,whole,wholesale,without exception,without omission 2506 - blankety blank,absolute,blamed,blasted,blessed,blooming,confounded,cursed,cussed,dadburned,danged,darned,dashed,deuced,doggone,doggoned,downright,goldanged,goldarned,goshdarn,gross,out-and-out,outright,rank,ruddy,unmitigated 2507 - blankminded,awkward,blank,callow,calm,dumb,empty,empty-headed,fatuous,gauche,green,groping,ignorant,inane,incogitant,inexperienced,innocent,know-nothing,naive,nescient,nirvanic,oblivious,passive,quietistic,raw,relaxed,simple,strange to,tentative,thoughtfree,thoughtless,tranquil,unacquainted,unapprized,uncomprehending,unconversant,unenlightened,unfamiliar,unideaed,unilluminated,uninformed,uninitiated,unintellectual,unintelligent,unknowing,unoccupied,unposted,unreasoning,unripe,unsure,unthinking,unversed,vacant,vacuous 2508 - blare,bark,bawl,bay,beep,belch,bell,bellow,blare forth,blast,blat,blate,blaze,blaze abroad,blazing light,blazon,blazon about,bleat,blinding light,blow,blow the horn,blubber,boom,bray,breathe,bright light,brightness,brilliance,brilliancy,brilliant light,bugle,burr,burst of light,buzz,cackle,call,caterwaul,caw,celebrate,chant,chirp,chirr,clamor,clang,clangor,clank,clarion,clash,coo,craunch,croak,crow,crump,crunch,cry,cry out,dazzling light,declaim,drawl,echo,effulgence,exclaim,fanfare,flamboyance,flame,flare,flood of light,flourish of trumpets,flute,fulgor,gasp,give tongue,give voice,glare,glaring light,glory,glow,grind,groan,growl,grumble,grunt,herald,herald abroad,hiss,honk,howl,jangle,jar,keen,lilt,low,meow,mew,mewl,miaow,moo,mumble,murmur,mutter,neigh,nicker,noise,pant,peal,pipe,proclaim,promulgate,pule,radiance,radiancy,radiant splendor,rasp,refulgence,refulgency,resonate,resound,resplendence,resplendency,reverberate,ring,roar,rumble,scranch,scrape,scratch,screak,scream,screech,scrunch,shout,shriek,sibilate,sigh,sing,snap,snarl,snore,snort,sob,sound,sound a tattoo,sound taps,splendor,squall,squawk,squeak,squeal,streaming light,tantara,tantarara,taps,tarantara,tattoo,thunder,thunder forth,toot,tootle,troat,trumpet,trumpet blast,trumpet call,trumpet forth,twang,tweedle,ululate,vividness,wail,warble,whicker,whine,whinny,whisper,whistle,wind,yap,yawl,yawp,yell,yelp,yip,yowl 2509 - blaring,atmospherics,blasting,blatant,blatting,blind spot,blustering,boisterous,brassy,brawling,brazen,clamant,clamorous,clamoursome,clanging,clangorous,clattery,crawling,creeping,drift,earsplitting,fade-out,fading,interference,mafficking,noise,noiseful,noisy,obstreperous,piercing,rackety,reception,rip-roaring,roaring,rowdy,static,stentorian,stentorious,strepitant,strepitous,tumultuous,turbulent,uproarious,vociferous 2510 - blarney,adulation,banter,blandish,blandishment,bunkum,cajole,cajolement,cajolery,compliment,con,eyewash,fair words,fawning,flattery,grease,honeyed phrases,honeyed words,incense,oil,palaver,praise,pretty lies,soap,soft soap,soft-soap,sweet nothings,sweet talk,sweet words,sweet-talk,sycophancy,wheedle,wheedling 2511 - blase,Laodicean,Olympian,aloof,apathetic,ataractic,benumbed,blah,bored,carefree,careless,casual,comatose,cool,cosmopolitan,cosmopolite,dead,debilitated,degage,desensitized,detached,devil-may-care,disabused,disappointed,disenchanted,disillusioned,disinterested,dispassionate,dispirited,disregardful,dopey,dormant,droopy,drugged,dull,easy,easygoing,emotionless,enervated,enlightened,exanimate,experienced,fed-up,free and easy,good and tired,heartless,heavy,hebetudinous,heedless,hopeless,in a stupor,inanimate,inattentive,incurious,indifferent,inert,inexcitable,insouciant,irked,jaded,knowing,lackadaisical,languid,languorous,leaden,lethargic,life-weary,lifeless,light-hearted,listless,lumpish,mature,matured,melancholic,melancholy,mindless,mondaine,moribund,negligent,nonchalant,not born yesterday,numb,numbed,offhand,old,passive,perfunctory,phlegmatic,pluckless,pococurante,pooped,practiced,put straight,reckless,regardless,resigned,ripe,ripened,robbed of illusion,sagacious,sated,satiated,seasoned,set right,sick,sick of,slack,sleepy,slow,sluggish,somnolent,sophisticate,sophisticated,soporific,spiritless,splenetic,spunkless,stagnant,stagnating,stoic,stultified,stupefied,supercilious,superior,supine,tired,tired of,tired of living,tired to death,torpid,tried,tried and true,turned-off,unanxious,uncaring,uncharmed,unconcerned,undeceived,undiscriminating,unimpressed,uninterested,unmindful,unmoved,unsolicitous,unspelled,vegetable,vegetative,veteran,wan,wearied,weariful,weary,weary unto death,withdrawn,world-weary,world-wise,worldly,worldly-wise 2512 - blaspheme,abuse,accurse,anathematize,belittle,blast,calumniate,confound,curse,damn,darn,decry,defame,deprecate,depreciate,disparage,excommunicate,execrate,fulminate against,hex,imprecate,malign,profane,put down,revile,swear,throw a whammy,thunder against,vilify 2513 - blasphemous,Rabelaisian,abusive,apostate,atheistic,backsliding,calumniatory,calumnious,comminatory,contumelious,cursing,damnatory,denunciatory,dirty,disrespectful,dysphemistic,epithetic,evil,excommunicative,excommunicatory,execratory,fallen,fallen from grace,foul,fulminatory,impious,imprecatory,iniquitous,irreligious,irreverent,lapsed,maledictory,obscene,profanatory,profane,raw,recidivist,recidivistic,recreant,renegade,ribald,risque,sacrilegious,scatologic,scurrile,scurrilous,sinful,undutiful,vile,vituperative,wicked 2514 - blasphemy,abuse,affront,anathema,ban,befouling,billingsgate,blasphemousness,commination,curse,cursing,cussing,damnation,denunciation,desecration,evil eye,excommunication,execration,fulmination,hex,impiety,imprecation,indignity,insult,malison,malocchio,profanation,profaneness,profanity,proscription,sacrilege,sacrilegiousness,scurrility,swearing,thundering,violation,vituperation,whammy 2515 - blast off,A,alpha,altitude peak,automatic control,begin,beginning,blast away,burn,burnout,ceiling,commence,commencement,creation,cutting edge,dawn,descent,dive in,edge,end of burning,establishment,fall to,fire,flight,flying start,foundation,fresh start,get to,go ahead,head into,ignition,impact,institution,jump off,jump-off,kick off,kick-off,launch,leading edge,lift-off,new departure,oncoming,onset,opening,origin,origination,outbreak,outset,pitch in,plunge into,project,rocket launching,running start,send off,send-off,set about,set in,set out,set sail,set to,setting in motion,setting-up,shoot,shot,square one,start,start in,start off,start out,start-off,starting point,take off,take-off,trajectory,turn to,velocity peak 2516 - blast,Bedlam let loose,accurse,aim at,anathematize,at full blast,attack,awake the dead,backfire,baffle,balk,bang,bark,barrage,bay,beat,bedlam,beep,bell,bellow,belt,blare,blaspheme,blast,blast the ear,blast-freeze,blat,blight,blitz,blot out,blow,blow a hurricane,blow great guns,blow out,blow over,blow the horn,blow to pieces,blow up,blowout,blowup,bluster,bobbery,bomb,bombard,boom,brave,brawl,bray,breeze,breeze up,brew,brouhaha,bugle,bump off,burst,bust,cancer,canker,cannon,cannonade,challenge,charge,charivari,checkmate,chirm,circumvent,clamor,clangor,clap,clarion,clatter,clobber,come up,commence firing,commotion,completely,confound,confront,congeal,contravene,counter,counteract,countermand,counterwork,crack,crash,crescendo,criticize,croak,cross,curse,damage,damn,darn,dash,deafen,defame,defeat,defy,demolish,denounce,destroy,detonate,detonation,devastate,din,discharge,discomfit,disconcert,discord,discountenance,discredit,dish,disrupt,do in,donnybrook,drub,drunken brawl,dry rot,dust,dustup,dynamite,elude,enfilade,entirely,erase,eruption,excommunicate,execrate,explode,explosion,fanfare,fill the air,fire,fire a volley,fire at,fire upon,fix,flap,flare,flash,flaw,flourish of trumpets,flummox,flurry,foil,fracas,free-for-all,freeze,freeze solid,freshen,frustrate,fulguration,fully,fulminate,fulminate against,fulmination,fungus,fusillade,gale,gather,get,give the business,glaciate,glacify,go off,gun down,gunshot,gust,hell broke loose,hex,hit,honk,howl,hubbub,hue and cry,huff,hullabaloo,ice,imprecate,injure,jangle,knock the chocks,lambaste,larrup,lay out,lay waste,let off,lick,load,loud noise,maximally,mildew,mine,mold,mortar,moth,moth and rust,must,nip,noise,noise and shouting,nonplus,off,open fire,open up on,outcry,overwhelm,pandemonium,payload,peal,pepper,perplex,pest,pipe,pipe up,polish off,pop,pop at,puff,quick-freeze,racket,rage,rake,rattle,rattle the windows,refreeze,regelate,rend the air,rend the ears,report,resound,rhubarb,ring,rise,roar,rock the sky,rot,row,rub out,ruckus,ruction,ruin,rumble,rumpus,rust,sabotage,salvo,scotch,scud,set in,set off,settle,shatter,shell,shellac,shindy,shivaree,shoot,shoot at,shot,shriek,shrivel,slam,slug,smash,smut,snipe,snipe at,sound,sound a tattoo,sound taps,spike,split the eardrums,split the ears,spoil,spring,squall,squeal,startle the echoes,stonewall,storm,strafe,stump,stun,stunt,surge,swell,take aim at,take care of,tantara,tantarara,taps,tarantara,tattoo,thoroughly,throw a whammy,thunder,thunder against,thunderclap,thwart,tintamarre,toot,tootle,torpedo,touch off,trumpet,trumpet blast,trumpet call,tumult,tweedle,uproar,upset,volley,waft,wallop,warhead,waste,wham,whiff,whiffle,whistle,wind,wind gust,wipe out,wither,worm,wreck,zap,zero in on 2517 - blasted,ausgespielt,baffled,balked,bankrupt,betrayed,bilked,blamed,blankety-blank,blessed,blighted,blown,broken,chapfallen,confounded,crestfallen,crossed,crushed,cursed,cussed,dadburned,danged,darned,dashed,defeated,desolated,despoiled,destroyed,deuced,devastated,disappointed,dished,disillusioned,dissatisfied,doggone,doggoned,done for,done in,down-and-out,fallen,finished,flyblown,foiled,frowsty,frowsy,frowzy,frustrated,fusty,goldanged,goldarned,gone to pot,goshdarn,gross,ill done-by,ill-served,in ruins,irremediable,kaput,let down,maggoty,mildewed,moldering,moldy,moth-eaten,musty,out of countenance,outright,overthrown,positive,rank,ravaged,regretful,ruddy,ruined,ruinous,smutted,smutty,sorely disappointed,soured,spoiled,thwarted,undone,unmitigated,wasted,weevily,worm-eaten,wormy,wrecked 2518 - blasting,atmospherics,banging,blaring,blind spot,bursting,cracking,crashing,crawling,creeping,drift,exploding,explosive,fade-out,fading,flapping,interference,knocking,noise,popping,rapping,reception,slapping,slatting,static,tapping 2519 - blasty,aeolian,airish,airy,blowy,blustering,blusterous,blustery,boreal,breezy,brisk,drafty,favonian,flawy,fresh,gusty,puffy,squally,windy 2520 - blat,bark,bawl,bay,beep,belch,bell,bellow,blare,blast,blate,bleat,blow,blow the horn,blubber,blurt out,bolt,boom,bray,breathe,bugle,burr,buzz,cackle,call,caterwaul,caw,chant,chirp,chirr,clang,clangor,clank,clarion,clash,coo,craunch,croak,crow,crump,crunch,cry,cry out,drawl,ejaculate,exclaim,fanfare,flourish of trumpets,flute,gasp,give tongue,give voice,grind,groan,growl,grumble,grunt,hiss,honk,howl,jangle,jar,keen,lilt,low,meow,mew,mewl,miaow,moo,mumble,murmur,mutter,neigh,nicker,pant,peal,pipe,pule,rasp,roar,rumble,scranch,scrape,scratch,screak,scream,screech,scrunch,shriek,sibilate,sigh,sing,snap,snarl,snore,snort,sob,sound,sound a tattoo,sound taps,squall,squawk,squeak,squeal,tantara,tantarara,taps,tarantara,tattoo,thunder,toot,tootle,troat,trumpet,trumpet blast,trumpet call,twang,tweedle,ululate,wail,warble,whicker,whine,whinny,whisper,whistle,wind,yap,yawl,yawp,yell,yelp,yip,yowl 2521 - blatancy,arrantness,boldness,brazenness,clamorousness,colorfulness,conspicuousness,crudeness,dash,dazzle,dazzlingness,extravagance,extravaganza,extravagation,flagrance,flagrancy,flamboyance,flashiness,gaiety,garishness,gaudery,gaudiness,glare,glitter,gorgeousness,high relief,jauntiness,jazziness,loudness,luridness,meretriciousness,noisiness,noticeability,notoriety,notoriousness,obtrusiveness,ostentation,outstandingness,panache,prominence,pronouncedness,salience,saliency,sensationalism,shamelessness,showiness,sportiness,strikingness,strong relief,tawdriness,vociferousness,vulgarness 2522 - blatant,arrant,barefaced,bawling,bellowing,blaring,blatting,blustering,boanergean,boisterous,bold,brassy,brawling,brazen,brazenfaced,chintzy,clamant,clamorous,clamoursome,clanging,clangorous,clattery,colorful,conspicuous,crude,crying,extravagant,flagrant,flaring,flashy,flaunting,garish,gaudy,glaring,gorgeous,hanging out,howling,impudent,in relief,in the foreground,loud,loudmouthed,lowing,lurid,mafficking,meretricious,mugient,multivocal,noiseful,noisy,notable,noticeable,notorious,obstreperous,obtrusive,obvious,openmouthed,ostensible,outstanding,overbold,overt,palpable,prominent,pronounced,puling,rackety,rip-roaring,rowdy,salient,screaming,sensational,shameless,shouting,spectacular,staring,stark-staring,sticking out,strepitant,strepitous,strident,striking,tawdry,tinsel,tumultuous,turbulent,ululant,unabashed,unashamed,unblushing,uproarious,vociferant,vociferating,vociferous,vulgar,wailing,whining,yammering,yapping,yelling,yelping 2523 - blatantly,abominably,agonizingly,arrantly,awfully,baldly,balefully,bitterly,boldly,brashly,brazenfacedly,brazenly,colorfully,confoundedly,conspicuously,cruelly,damnably,deadly,deathly,deucedly,distressingly,dolorously,dreadfully,egregiously,excessively,excruciatingly,exorbitantly,extravagantly,flagrantly,flaringly,frightfully,garishly,gaudily,glaringly,gorgeously,grievously,hellishly,horribly,improperly,inexcusably,infernally,inordinately,intolerably,lamentably,luridly,markedly,miserably,nakedly,notably,noticeably,notoriously,obtrusively,openly,ostensibly,outstandingly,painfully,piteously,prominently,pronouncedly,sadly,saliently,sensationally,shamelessly,shatteringly,shockingly,something awful,something fierce,sorely,staggeringly,staringly,strikingly,tawdrily,terribly,torturously,unashamedly,unbearably,unconscionably,unduly,unpardonably,woefully 2524 - blather,absurdity,amphigory,babble,babblement,balderdash,bavardage,be stupid,bibble-babble,blab,blabber,blah-blah,blatherskite,blether,blethers,blither,bombast,bosh,bull,bullshit,bunkum,burble,cackle,caquet,caqueterie,chat,chatter,chitter-chatter,clack,claptrap,clatter,dither,dote,double-talk,drivel,drool,fiddle-faddle,fiddledeedee,flapdoodle,flimflam,flummery,folderol,fudge,fustian,gab,gabble,galimatias,gammon,gas,gibber,gibberish,gibble-gabble,go on,gobbledygook,gossip,guff,gush,haver,hocus-pocus,hokum,hot air,humbug,idle talk,jabber,jargon,jaw,jazz,malarkey,maunder,mere talk,mumbo jumbo,narrishkeit,natter,niaiserie,nonsense,nonsense talk,pack of nonsense,palaver,patter,piffle,poppycock,pour forth,prate,prating,prattle,prittle-prattle,ramble on,rant,rattle,rattle on,reel off,rigamarole,rigmarole,rodomontade,rubbish,run on,skimble-skamble,slobber,spout,spout off,stuff and nonsense,stultiloquence,talk away,talk nonsense,talk on,talkee-talkee,tittle-tattle,trash,trumpery,twaddle,twattle,twiddle-twaddle,vapor,vaporing,waffle,waffling,yak,yakkety-yak 2525 - blaze,Vandyke,arrow,backfire,bake,balefire,be bright,be in heat,beacon,beacon fire,beam,bedazzle,birthmark,blare,blare forth,blast,blaze a trail,blaze abroad,blaze of light,blaze up,blazing light,blazon,blazon about,blemish,blind,blinding light,blister,bloom,blotch,boil,bombard,bonfire,brand,bright light,brightness,brilliance,brilliancy,brilliant light,broil,burn,burn in,burn off,burning ghat,burst,burst into flame,burst of light,campfire,cast,caste mark,catch,catch fire,catch on fire,cauterize,celebrate,chalk,chalk up,char,check,check off,checkmark,cheerful fire,choke,chop,cicatrix,cicatrize,cleft,coal,combust,combustion,compass needle,conflagration,convulsion,cook,corposant,coruscate,cozy fire,crack,crackling fire,crematory,crena,crenellate,crenulate,crimp,cry,cry out,cupel,cut,cyclone,dapple,dash,daze,dazzle,dazzling light,death fire,declaim,define,deflagration,delimit,demarcate,depression,diffuse light,direction,direction post,discolor,discoloration,dot,earmark,effulgence,engrave,engraving,eruption,explosion,facula,fen fire,finger post,fire,fire up,fist,fit,flamboyance,flame,flame up,flare,flare up,flare-up,flash,flash fire,flashing point,fleck,flick,flicker,flickering flame,flood of light,flush,forest fire,found,fox fire,freckle,fry,fulgor,fulgurate,funeral pyre,gale,gash,gasp,give light,glance,glare,glaring light,gleam,gleam of light,glint,glory,glow,graving,guide,guideboard,guidepost,gust,hack,hand,hatch,herald,herald abroad,holocaust,hour hand,hurricane,ignis fatuus,ignite,ignition,illuminate,illumine,impress,imprint,incandesce,incise,incision,indent,indentation,index,index finger,inferno,ingle,irruption,jag,jog,joggle,jot,kerf,kindle,knurl,lambent flame,lead,lentigo,light,line,lubber line,luster,machicolate,macula,make a mark,mark,mark off,mark out,marking,marshfire,milepost,mill,minute hand,mole,mottle,needle,nevus,nick,nock,notch,open fire,outbreak,outburst,oxidate,oxidize,pant,parch,paroxysm,patch,pencil,pepper,picot,pink,point,pointer,polka dot,prairie fire,prick,print,proclaim,promulgate,punch,punctuate,puncture,pyre,pyrolyze,radiance,radiancy,radiant splendor,radiate,radiate heat,raging fire,refulgence,refulgency,resplendence,resplendency,riddle,roast,scald,scallop,scar,scarification,scarify,scintillate,scorch,score,scotch,scratch,scratching,sea of flames,seal,seam,sear,seethe,seizure,send out rays,serrate,sheet of fire,shell,shimmer with heat,shine,shine brightly,shoot,shoot out rays,shout,signal beacon,signboard,signpost,simmer,singe,slash,smolder,smother,smudge fire,solar flare,solar prominence,solder,spark,sparkle,spasm,speck,speckle,splash,splendor,splotch,spot,spunk up,stain,stamp,steam,stew,stifle,stigma,stigmatize,storm,strawberry mark,streak,streaming light,striate,stripe,suffocate,sweat,swelter,swinge,take,take fire,tattoo,tattoo mark,tempest,three-alarm fire,thunder,thunder forth,tick,tick off,tittle,toast,tooth,tornado,torrefy,trace,trumpet,trumpet forth,two-alarm fire,underline,underscore,upheaval,vesicate,vividness,vulcanize,watch fire,watermark,weld,whirlwind,wildfire,witch fire 2526 - blazer,Eton jacket,Mao jacket,blouse,body coat,bolero,bomber jacket,capuchin,car coat,chaqueta,chesterfield,claw hammer,claw-hammer coat,cutaway coat,dinner jacket,doublet,dress coat,duffel,fingertip coat,fitted coat,frock,frock coat,jerkin,jumper,jupe,loden coat,mackinaw,mess jacket,midicoat,monkey jacket,parka,pea jacket,reefer,sack,san benito,ski jacket,sleeve waistcoat,smoking jacket,spiketail coat,swallowtail,tabard,tail coat,tails,watch coat,windbreaker,woolly 2527 - blazing,ablaze,afire,aflame,aflicker,aglow,alight,ardent,blistering,branding,burning,calcination,candent,candescent,carbonization,cauterization,cautery,cineration,comburent,combustion,concremation,conflagrant,cracking,cremation,cupellation,deflagration,destructive distillation,distillation,distilling,fervent,fervid,fiery,flagrant,flaming,flaring,flashing,flashy,flickering,fulgurant,fulgurating,fuming,glowing,guttering,ignescent,ignited,in a blaze,in a glow,in flames,incandescent,incineration,inflamed,kindled,live,living,meteoric,on fire,oxidation,oxidization,parching,passionate,perfervid,pyrolysis,red-hot,reeking,refining,scintillant,scintillating,scorching,scorification,searing,self-immolation,singeing,smelting,smoking,smoldering,sparking,suttee,the stake,thermogenesis,unextinguished,unquenched,vesication 2528 - blazon,achievement,adorn,advertise,air,alerion,animal charge,announce,annulet,annunciate,argent,armorial bearings,armory,arms,array,azure,bandeau,bar,bar sinister,baton,bearings,beautify,bedeck,bedizen,bend,bend sinister,billet,blare,blare forth,blaze,blaze abroad,blazon about,blazon forth,blazonry,bordure,brandish,bravura,brilliancy,broad arrow,broadcast,bruit about,cadency mark,canton,celebrate,chaplet,charge,chevron,chief,coat of arms,cockatrice,color,coronet,crescent,crest,cross,cross moline,crown,cry,cry out,dandify,dangle,daring,dash,deck,deck out,declaim,decorate,demonstrate,demonstration,device,difference,differencing,display,dizen,doll up,dramatics,dress,dress up,eagle,eclat,embellish,emblazon,embroider,enrich,ermine,ermines,erminites,erminois,escutcheon,etalage,exhibit,exhibition,exhibitionism,falcon,false front,fanfaronade,fess,fess point,field,fig out,figure,file,fix up,flair,flanch,flash,flaunt,flaunting,fleur-de-lis,flourish,fret,fur,furbish,fusil,garland,garnish,grace,griffin,gules,gussy up,gyron,hatchment,helmet,herald,herald abroad,heraldic device,histrionics,hold up,honor point,impalement,impaling,inescutcheon,label,lion,lozenge,manifest,manifestation,mantling,marshaling,martlet,mascle,metal,motto,mullet,nombril point,octofoil,or,ordinary,orle,ornament,pageant,pageantry,paint,pale,paly,parade,pean,pheon,prank,prank up,preen,prettify,primp,primp up,prink,prink up,proclaim,promulgate,publish,purpure,put forth,put forward,quarter,quartering,redecorate,redo,refurbish,rose,sable,saltire,scutcheon,set off,set out,sham,shield,shout,show,showing-off,smarten,smarten up,sound,spectacle,splash,splurge,sport,spread eagle,spruce up,staginess,subordinary,tenne,theatrics,thunder,thunder forth,tincture,titivate,torse,tressure,trick out,trick up,trim,trumpet,trumpet forth,unicorn,vair,vaunt,vert,wave,wreath,yale 2529 - bleach,achromatization,achromatize,besnow,blanch,blanching,bleach out,bleacher,bleaching,bleaching agent,bleaching powder,blench,bowdlerize,chalk,change color,chlorine,clean,clean out,clean up,cleanse,clear out,decolor,decolorant,decoloration,decolorization,decolorize,decolorizer,decolorizing,delouse,depurate,deterge,dim,discolor,discoloration,drain,drain of color,dry-clean,dull,dust,dust off,etiolate,etiolation,expurgate,fade,fade out,fading,freshen,frost,fume,grizzle,grow pale,hydrochloric acid,hydrogen peroxide,lighten,lightening,lime,lose color,lustrate,madder bleach,market bleach,nitrogen tetroxide,oxalic acid,pale,paling,peroxide,purge,purify,reform,scavenge,silver,sodium hypochlorite,sour,spruce,steam-clean,sulfur dioxide,sulfuric acid,sweep out,sweeten,tarnish,tidy,tone down,turn pale,turn white,wan,wash out,white,white sour,whiten,whitening,wipe,wipe off,wipe out,wipe up 2530 - bleached,bare,barren,blanched,bland,blank,bleached white,bright,characterless,clean,cleanly,clear,dainty,decolored,decolorized,devoid,dirt-free,drained,drained of color,empty,eroded,faded,fair,fastidious,featureless,fresh,hollow,immaculate,inane,insipid,kosher,lightened,nonpolluted,null,null and void,of cleanly habits,pure,ritually pure,shiny,smut-free,smutless,spotless,stainless,sweet,tahar,tubbed,unadulterated,unbesmirched,unblemished,unblotted,undefiled,unmuddied,unpolluted,unrelieved,unsmirched,unsmudged,unsoiled,unspotted,unstained,unsullied,untainted,untarnished,vacant,vacuous,void,washed-out,weather-battered,weather-beaten,weather-bitten,weather-eaten,weather-wasted,weathered,weatherworn,well-scrubbed,well-washed,white,whitened,with nothing inside,without content 2531 - bleachers,Texas tower,beacon,belvedere,bridge,conning tower,gallery,gazebo,grandstand,lighthouse,lookout,loophole,observation post,observatory,outlook,overlook,peanut gallery,peephole,pharos,ringside,ringside seat,sighthole,top gallery,tower,watchtower 2532 - bleaching,achromatization,albification,blanching,bleach,decoloration,decolorization,decolorizing,discoloration,etiolation,fading,frosting,grizzling,lightening,madder bleach,market bleach,paling,silvering,whitening,whitewashing 2533 - bleak,Siberian,affecting,afflictive,affording no hope,algid,apathetic,arctic,austere,bare,barren,below zero,biting,bitter,bitterly cold,black,blown,boreal,brisk,brumal,cheerless,chilly,cold,cold as charity,cold as death,cold as ice,cold as marble,comfortless,crisp,cutting,dark,deplorable,depressing,depressive,desolate,despairing,desperate,despondent,discomforting,disconsolate,disheartening,dismal,dismaying,distressful,distressing,dolorific,dolorogenic,dolorous,dour,drear,drearisome,dreary,exposed,forlorn,freezing,freezing cold,frigid,funebrial,funereal,gelid,glacial,gloomy,grave,gray,grievous,grim,hard,harsh,hibernal,hiemal,hopeless,hyperborean,ice-cold,ice-encrusted,icelike,icy,in despair,inclement,joyless,keen,lamentable,melancholy,mournful,moving,nipping,nippy,numbing,oppressive,painful,pathetic,penetrating,piercing,pinching,piteous,pitiable,poignant,raw,regrettable,rigorous,rueful,sad,saddening,saturnine,severe,sharp,sleety,slushy,snappy,solemn,somber,sombrous,sore,sorrowful,stone-cold,stringent,subzero,supercooled,touching,triste,uncomfortable,unhappy,unhopeful,weariful,wearisome,weary,windblown,windswept,winterbound,winterlike,wintery,wintry,without hope,woebegone,woeful,wretched 2534 - bleary,all in,blear,bleared,blurred,blurry,confused,dark,depleted,dim,drained,exhausted,faint,far-gone,feeble,filmy,foggy,fuzzy,half-seen,half-visible,hazy,ill-defined,inconspicuous,indefinite,indistinct,indistinguishable,low-profile,merely glimpsed,misty,obscure,out of focus,pale,semivisible,shadowy,spent,uncertain,unclear,undefined,undetermined,unplain,unrecognizable,used up,vague,washed-out,weak,worn-out 2535 - bleat,bark,bawl,bay,beef,bell,bellow,bellyache,bitch,blare,blat,blate,blow off,bray,call,caterwaul,crab,cry,fuss,give tongue,give voice,howl,low,meow,mew,mewl,miaow,moo,neigh,nicker,pule,roar,screak,scream,screech,squall,squawk,squeak,squeal,troat,ululate,wail,whicker,whine,whinny,yammer,yap,yawl,yawp,yelp,yip,yowl 2536 - bleb,abscess,air bubble,aposteme,balloon,bed sore,bilge,birthmark,blackhead,bladder,blain,blemish,blister,blob,blood blister,boil,boss,bow,bubble,bubo,bulb,bulge,bulla,bump,bunch,bunion,burl,button,cahot,canker,canker sore,carbuncle,chancre,chancroid,check,chilblain,chine,cicatrix,clump,cold sore,comedo,condyle,convex,crack,crater,craze,defacement,defect,deformation,deformity,disfiguration,disfigurement,distortion,dowel,ear,eschar,fault,felon,fester,festering,fever blister,fistula,flange,flap,flaw,freckle,furuncle,furunculus,gall,gathering,globule,gnarl,gumboil,handle,hemangioma,hemorrhoids,hickey,hill,hump,hunch,jog,joggle,keloid,kibe,kink,knob,knot,knur,knurl,lentigo,lesion,lip,loop,lump,milium,mole,mountain,needle scar,nevus,nub,nubbin,nubble,papilloma,papula,papule,paronychia,parulis,peg,petechia,piles,pimple,pit,pock,pockmark,polyp,port-wine mark,port-wine stain,pustule,rib,ridge,rift,ring,rising,scab,scar,scratch,sebaceous cyst,shoulder,soap bubble,soft chancre,sore,spine,split,stigma,strawberry mark,stud,sty,style,suppuration,swelling,tab,track,tubercle,tubercule,twist,ulcer,ulceration,verruca,vesicle,wale,warp,wart,weal,welt,wen,wheal,whelk,whitehead,whitlow,wound 2537 - blebby,beaten,blistered,blistering,blistery,bubbling,bubbly,burbling,burbly,carbonated,chiffon,ebullient,effervescent,fizzy,puffed,souffle,souffleed,sparkling,spumescent,vesicant,vesicated,vesicatory,vesicular,whipped 2538 - bleed white,ablate,absorb,abuse,assimilate,bleed,burn up,clip,consume,denude,deplete,deplume,despoil,digest,displume,divest,drain,drain of resources,dry,eat,eat up,erode,exhaust,expend,exploit,finish,finish off,flay,fleece,gobble,gobble up,gouge,hold up,ill-use,impose upon,impoverish,ingest,make use of,manipulate,milk,misuse,overcharge,overprice,overtax,pick clean,play on,pluck,presume upon,profiteer,screw,shear,skin,soak,spend,squander,stick,sting,strip,strip bare,stroke,suck dry,surcharge,swallow,swallow up,swindle,take advantage of,use,use ill,use up,victimize,waste away,wear away,work on,work upon 2539 - bleed,abridge,abuse,ache,agonize,anguish,be sorry for,bereave,bleed for,bleed white,bloody,broach,brood over,clip,commiserate,compassionate,condole with,cup,curtail,cut off,decant,denude,deplume,deprive,deprive of,despoil,discharge,disentitle,displume,divest,draft,draft off,drain,draw,draw from,draw off,dry,ease one of,ecchymose,effuse,emit,empty,excrete,exfiltrate,exhaust,exploit,extravasate,exudate,exude,feel for,feel sorrow for,feel sorry for,filter,filtrate,flay,fleece,fret,give a transfusion,give off,go hard with,gouge,grieve,hemorrhage,hold up,hurt,ill-use,impose upon,impoverish,lament for,leach,leech,let,let blood,let out,lighten one of,lixiviate,lose blood,make use of,manipulate,milk,mine,misuse,mope,mourn,mulct,ooze,overcharge,overprice,overtax,percolate,perfuse,phlebotomize,pick clean,pine,pine away,pipette,pity,play on,pluck,presume upon,profiteer,pump,pump out,reek,rook,screw,seep,sew,shear,shed blood,siphon off,skin,soak,sorrow,spill blood,stick,sting,strain,strip,strip bare,stroke,suck,suck dry,suck out,suffer,suffer anguish,surcharge,sweat,swindle,sympathize,sympathize with,take advantage of,take away from,take from,take on,tap,transfuse,transpire,transude,use,use ill,venesect,victimize,weep,weep for,work on,work upon,writhe 2540 - bleeding heart,aching heart,agony,agony of mind,anguish,bale,bathos,bitterness,bowels of compassion,broken heart,brokenheartedness,cloyingness,compassionateness,crushing,depression,depth of misery,desolation,despair,extremity,gentleness,goo,grief,heartache,heartbreak,heartbrokenness,hearts-and-flowers,heartsickness,heartsoreness,heavy heart,infelicity,lenity,maudlinness,mawkishness,melancholia,melancholy,mercifulness,misery,mush,mushiness,namby-pamby,namby-pambyism,namby-pambyness,nostalgia,nostomania,oversentimentalism,oversentimentality,prostration,romanticism,ruthfulness,sadness,sentiment,sentimentalism,sentimentality,slop,sloppiness,slush,soap opera,sob story,softheartedness,suicidal despair,sweetness and light,tearjerker,tenderness,woe,wretchedness 2541 - blemish,abrade,abrasion,baboon,bag,bark,besmirch,birthmark,black sheep,blaze,blaze a trail,blister,bloody,blot,blotch,brand,break,bruise,bug,burn,caste mark,catch,chafe,chalk,chalk up,check,check off,checkmark,chip,cicatrix,cicatrize,claw,concussion,crack,crackle,craze,cut,damage,dapple,dash,deface,defect,defection,deficiency,define,deform,delimit,demarcate,discolor,discoloration,disfigure,disfigurement,disproportion,distort,dog,dot,drawback,dysphemize,earmark,engrave,engraving,erratum,error,eyesore,failing,failure,fault,faute,flash burn,flaw,fleck,flick,foible,foreign body,foreign intruder,fracture,frailty,fray,frazzle,freckle,fret,fright,gall,gargoyle,gash,graving,hack,hag,harm,harridan,hatch,hole,hurt,impair,impairment,imperfection,impress,imprint,impurity,inadequacy,incise,incision,infirmity,injure,injury,intruder,jot,kink,lacerate,laceration,lentigo,lesion,line,little problem,look a fright,look a mess,look bad,look like hell,look something terrible,macula,maim,make a mark,make mincemeat of,mar,mark,mark off,mark out,marking,maul,mess,misfit,misshape,mole,monkey wrench,monster,monstrosity,mortal wound,mote,mottle,mutilate,mutilation,nevus,nick,no beauty,notch,oddball,offend,offend the eye,patch,pencil,pepper,pierce,pockmark,point,polka dot,prejudice,prick,print,problem,punch,punctuate,puncture,rend,rent,riddle,rift,rip,run,rupture,savage,scab,scald,scar,scarecrow,scarification,scarify,scorch,score,scotch,scrape,scratch,scratching,scuff,seal,seam,second-degree burn,shortcoming,sight,skin,slash,slit,sliver,smear,snag,something missing,sore,speck,speckle,splash,splinter,split,splotch,spoil,spot,sprain,stab,stab wound,stain,stamp,stick,stigma,stigmatize,stone,strain,strawberry mark,streak,striate,stripe,sully,taint,tarnish,tattoo,tattoo mark,tear,teratism,third-degree burn,tick,tick off,tittle,trace,trauma,traumatize,truncate,twist,uglify,ugly duckling,underline,underscore,vice,vitiate,vulnerable place,warp,wart,watermark,weak link,weak point,weakness,weed,witch,wound,wounds immedicable,wrench 2542 - blemished,adulterated,bandy,bandy-legged,beautiless,bloated,blotted,bowlegged,cacophonic,cacophonous,checked,cicatrized,club-footed,cracked,crazed,damaged,defaced,defective,deficient,deformed,disfigured,distorted,dwarfed,dysphemistic,dysphemized,erroneous,fallible,faulty,flatfooted,flawed,found wanting,grotesque,homely,ill-made,ill-proportioned,ill-shaped,immature,impaired,imperfect,imprecise,impure,inaccurate,inadequate,incomplete,inelegant,inexact,keloidal,kinked,knock-kneed,lacking,makeshift,malformed,marred,mediocre,misbegotten,misproportioned,misshapen,mixed,monstrous,mutilated,not perfect,off,out of shape,partial,patchy,pigeon-toed,pimpled,pimply,plain,pug-nosed,rachitic,rickety,scabbed,scabby,scarified,scarred,short,short on looks,simous,sketchy,snub-nosed,split,spoiled,stumpy,swaybacked,talipedic,truncated,twisted,uglified,ugly,ugly as hell,ugly as sin,unaesthetic,unattractive,unbeautiful,uncomely,undeveloped,uneven,unfinished,unhandsome,unlovely,unperfected,unpleasing,unpretty,unsightly,unsound,unthorough,wanting,warped 2543 - blench,ache,agonize,ail,anguish,avoid,blanch,bleach,blink,boggle,cringe,decolor,decolorize,demur,dodge,draw back,duck,evade,fade,fall back,falter,feel pain,feel the pangs,fight shy of,flinch,funk,grimace,hang back,hang off,have a misery,have qualms,hesitate,hold off,hurt,jib,make bones about,pause,pound,pull back,quail,recoil,reel back,retreat,scruple,sheer off,shoot,shrink,shrink back,shy,shy at,sidestep,smart,squinch,start,start aside,start back,stick at,stickle,strain,suffer,swerve,thrill,throb,tingle,turn aside,twinge,twitch,waver,weasel,weasel out,white,wince,writhe 2544 - blend,Anschluss,accord,add,addition,admix,admixture,affiliation,agglomeration,aggregation,agreement,alliance,alloy,amalgam,amalgamate,amalgamation,arrange,assimilate,assimilation,association,assonate,atone,attune,be harmonious,be in tune,bemingle,blending,cabal,cartel,centralization,chime,chord,coalesce,coalescence,coalition,combination,combine,combo,come together,commingle,commingling,commix,commixture,compose,composite,composition,compound,comprise,concoct,concoction,confection,confederacy,confederation,congeries,conglomerate,conglomeration,conjugation,conjunction,connect,consolidate,consolidation,conspiracy,contamination,ecumenism,embodiment,embody,emulsify,encompass,encompassment,enosis,ensemble,federalization,federation,flux,fuse,fusion,gradate,grade,graduate,harmonize,hash,homogenize,hookup,hybrid,hybrid word,hybridism,immingle,immix,immixture,include,inclusion,incorporate,incorporation,integrate,integration,interblend,interfuse,interfusion,interlace,interlard,intermingle,intermingling,intermix,intermixture,intertwine,interweave,join,jumble,junction,junta,knead,league,lump together,macaronic,macaronicism,magma,make one,marriage,meld,melding,melodize,melt into one,merge,merger,mingle,mingle-mangle,mingling,mix,mix up,mixture,musicalize,orchestrate,package,package deal,paste,portmanteau,portmanteau word,portmantologism,put together,reembody,roll into one,scramble,shade,shade into,shuffle,solidification,solidify,sound in tune,sound together,stir up,symphonize,synchronize,syncretism,syncretize,syndicate,syndication,syneresis,synthesis,synthesize,telescope word,throw together,tie-up,toss together,tune,unification,unify,union,unite,wedding,work 2545 - blended,accordant,according,amalgamated,ambiguous,ambivalent,amphibious,assimilated,assonant,assonantal,attuned,blending,chiming,combinative,combinatory,combined,complex,composite,compound,compounded,concordant,conglomerate,conjoint,conjugate,conjunctive,connective,consolidated,consonant,dappled,eclectic,equivocal,fifty-fifty,fused,half-and-half,harmonic,harmonious,harmonizing,heterogeneous,homophonic,in accord,in chorus,in concert,in concord,in sync,in tune,in unison,incorporated,indiscriminate,integrated,intricate,ironic,joined,joint,jumbled,many-sided,medley,merged,mingled,miscellaneous,mixed,monodic,monophonic,motley,multifaceted,multinational,multiracial,one,patchy,pluralistic,promiscuous,scrambled,symphonious,synchronized,synchronous,syncretic,syncretistic,syncretized,synthesized,thrown together,tuned,unisonant,unisonous,united,varied 2546 - bless,OK,accept,acknowledge,admire,adore,adulate,apotheosize,approve,approve of,arm,armor,beatify,belaud,bepraise,bless the Lord,bless with,blow up,boast of,brag about,canonize,celebrate,champion,cheer,cleanse,cloak,compass about,compliment,congratulate,consecrate,copyright,countenance,cover,credit,cross,cry up,cushion,dedicate,defend,deify,devote,dower,doxologize,emblazon,endorse,endow,endow with,enshrine,ensure,esteem,eulogize,exalt,extol,favor,favor with,felicitate,fence,fend,flatter,furnish,give,give benediction,give credit,give thanks,gladden,glorify,glorify the Lord,grace,grace with,gratulate,guarantee,guard,hallow,happify,harbor,haven,hero-worship,hold with,hymn,idolize,insure,invest,invoke benefits upon,keep,keep from harm,keep in countenance,laud,lay hands on,lionize,magnify,make acknowledgments of,make happy,make much of,make safe,nestle,offer thanks,overpraise,panegyrize,patent,pay tribute,police,porter aux nues,praise,praise God,protect,provide,puff,puff up,purify,recognize,register,rejoice with,render credit,render thanks,respect,return thanks,revere,ride shotgun for,safeguard,saint,salute,sanctify,sanction,screen,secure,set apart,settle on,settle upon,shelter,shield,shroud,sing praises,supply,take kindly to,thank,think well of,trumpet,underwrite,uphold,vest,vest with,view with favor 2547 - blessed event,accouchement,birth,birth throes,birthing,childbearing,childbed,childbirth,confinement,delivery,genesis,giving birth,hatching,having a baby,labor,multiparity,nascency,nativity,parturition,the Nativity,the stork,travail 2548 - blessed with,enfeoffed,having,having and holding,holding,in possession of,landed,landholding,landowning,master of,occupying,owning,possessed of,possessing,propertied,property-owning,seized of,tenured,worth 2549 - blessed,Elysian,Olympian,absolute,auspicious,beaming,beatific,beatified,beatitude,blamed,blankety-blank,blasted,blessed with luck,blessedness,bliss,blissful,blooming,canonized,capering,celestial,cheerful,chirping,confounded,consecrated,cursed,cussed,dadburned,dancing,danged,darn,darned,dashed,dedicated,deuced,devoted,doggone,doggoned,downright,ethereal,extramundane,extraterrestrial,favored,flushed with joy,fortunate,from on high,gay,glad,glorified,glowing,goldanged,goldarned,goshdarn,hallowed,happy,heavenly,in glory,in luck,infernal,joyful,joyous,laughing,leaping,lucky,otherworldly,outright,paradisaic,paradisal,paradisiac,paradisic,perfect,positive,providential,purring,radiant,regular,ruddy,sacred,sainted,saintly,sanctified,set apart,singing,smiling,smirking,sparkling,starry-eyed,supernal,thrice happy,transcendental,transmundane,unearthly,unmitigated,unworldly 2550 - blessing,Godspeed,OK,acceptance,accord,acquiescence,act of grace,act of kindness,adherence,admiration,advantage,affirmation,affirmative,affirmative voice,agreement,approbation,approval,assent,asset,avail,aye,beatification,beatitude,behalf,behoof,benedicite,benediction,benefaction,benefit,benevolence,benignity,benison,best wishes,blessedness,boon,bounty,break,canonization,compliance,compliment,congratulation,connivance,consecration,consent,countenance,courtesy,dedication,devotion,eagerness,endorsement,enshrinement,esteem,exaltation,favor,favorable vote,felicitation,felicity,fluke,fortunateness,fortune,gain,gift,glorification,godsend,good,good deed,good fortune,good luck,good offices,good turn,good wishes,grace,gratulation,hallowing,happy fortune,help,interest,invocation,justification,justification by works,kind deed,kind offices,kindly act,kindness,labor of love,loaves and fishes,luck,luckiness,lucky break,lucky strike,manna,manna from heaven,mercy,mitzvah,nod,obligation,office,okay,permission,prayer,profit,promptitude,promptness,purification,ratification,readiness,respect,run of luck,sainthood,sainting,sanctification,sanction,seal of approval,service,setting apart,smiles of fortune,stamp of approval,state of grace,streak of luck,stroke of luck,submission,thanks,thanksgiving,the breaks,turn,ungrudgingness,unloathness,unreluctance,valediction,voice,vote,welfare,well-being,willingness,world of good,yea,yea vote 2551 - blight,abnormality,abomination,abuse,acute disease,adverse circumstances,adversity,affection,afflict,affliction,aggravation,aggrieve,ailment,allergic disease,allergy,annoyance,atrocity,atrophy,bacterial disease,bad,bane,befoul,befoulment,bewitch,birth defect,blast,blast-freeze,botch,bummer,calamity,cancer,canker,cardiovascular disease,care,chronic disease,circulatory disease,complaint,complication,condemn,condition,congeal,congenital defect,corrupt,corruption,cross,crucify,crying evil,curse,damage,dash,defect,deficiency disease,defile,defilement,deformity,degenerative disease,deprave,despoil,despoliation,destroy,destruction,detriment,difficulties,difficulty,disability,disadvantage,disease,disorder,disserve,distemper,distress,do a mischief,do evil,do ill,do wrong,do wrong by,doom,downer,dry rot,endemic,endemic disease,endocrine disease,envenom,epidemic disease,evil,freeze,freeze solid,functional disease,fungus,fungus disease,gastrointestinal disease,genetic disease,get into trouble,glaciate,glacify,grievance,handicap,harass,hard knocks,hard life,hard lot,hardcase,hardship,harm,havoc,hereditary disease,hex,hurt,iatrogenic disease,ice,ill,illness,impair,indisposition,infect,infection,infectious disease,infest,infestation,infirmity,injure,injury,irritation,jinx,malady,malaise,maltreat,mar,menace,mildew,mischief,misfortune,mistreat,mold,molest,morbidity,morbus,moth,moth and rust,muscular disease,must,neurological disease,nip,nutritional disease,occupational disease,organic disease,outrage,pandemic disease,pathological condition,pathology,persecute,pest,pestilence,plague,plant disease,play havoc with,play hob with,plight,poison,pollute,pollution,predicament,prejudice,pressure,protozoan disease,psychosomatic disease,quick-freeze,refreeze,regelate,respiratory disease,rigor,rockiness,rot,ruin,rust,savage,scathe,scourge,sea of troubles,secondary disease,seediness,sickishness,sickness,signs,smut,spoil,stress,stress of life,symptomatology,symptomology,symptoms,syndrome,taint,the pip,the worst,threaten,torment,torture,toxin,trial,tribulation,trouble,troubles,urogenital disease,vale of tears,venom,vexation,vicissitude,violate,virus disease,wasting disease,wither,woe,worm,worm disease,wound,wreak havoc on,wreck,wrong 2552 - blighted,absolute,ausgespielt,baffled,balked,bankrupt,betrayed,bilked,blasted,blessed,blown,botched,broken,chapfallen,confounded,crestfallen,crossed,crushed,cursed,cussed,damnable,dashed,defeated,desolated,despoiled,destroyed,devastated,disappointed,dished,disillusioned,dissatisfied,done for,done in,down-and-out,downright,execrable,fallen,finished,flyblown,foiled,frowsty,frowsy,frowzy,frustrated,fusty,gone to pot,gross,ill done-by,ill-served,in ruins,infernal,irremediable,kaput,let down,maggoty,marred,mildewed,moldering,moldy,moth-eaten,musty,out of countenance,out-and-out,overthrown,rank,ravaged,regretful,ruined,ruinous,smutted,smutty,sorely disappointed,soured,spoiled,spoilt,straight-out,thwarted,undone,unmitigated,wasted,weevily,worm-eaten,wormy,wrecked 2553 - blighter,Bowery bum,beachcomber,beggar,beggarly fellow,budmash,bum,bummer,caitiff,derelict,devil,drifter,drunkard,good-for-naught,good-for-nothing,hobo,human wreck,lowlife,mauvais sujet,mean wretch,mucker,no-good,pauvre diable,pilgarlic,poor creature,poor devil,sad case,sad sack,skid-row bum,stiff,sundowner,swagman,tramp,truant,vag,vagabond,vagrant,vaurien,wastrel,worm,worthless fellow,wretch 2554 - blimp,Bourbon,Colonel Blimp,Graf Zeppelin,aerostat,airship,ballonet,balloon,bloated aristocrat,captive balloon,diehard,dirigible,dirigible balloon,dumpling,fatty,fuddy-duddy,gasbag,heavy,heavyweight,hippo,lighter-than-air craft,lump,pilot balloon,potbelly,reactionarist,reactionist,rigid airship,roly-poly,royalist,sausage,semirigid airship,ship,stuffed shirt,swagbelly,tub,tub of lard,tun,ultraconservative,weather balloon,white,zeppelin 2555 - blind alley,Autobahn,US highway,alley,alleyway,arterial,arterial highway,arterial street,artery,autoroute,autostrada,avenue,bar,barrier,belt highway,blank wall,blind gut,block,blockade,blockage,bottleneck,boulevard,box,bypass,byway,camino real,carriageway,causeway,causey,cecum,chaussee,choking,choking off,circumferential,clog,close,congestion,constipation,corduroy road,corner,costiveness,county road,court,crescent,cul-de-sac,dead end,dead-end street,deadlock,dike,dirt road,drive,driveway,embolism,embolus,expressway,extremity,freeway,gorge,gravel road,halt,highroad,highway,highways and byways,hole,impasse,impediment,infarct,infarction,interstate highway,jam,lane,local road,main drag,main road,mews,motorway,obstacle,obstipation,obstruction,parkway,pave,paved road,pike,place,plank road,pocket,primary highway,private road,right-of-way,ring road,road,roadbed,roadway,route nationale,row,royal road,sealing off,secondary road,speedway,stalemate,stand,standstill,state highway,stop,stoppage,strangulation,street,superhighway,terrace,thoroughfare,through street,thruway,toll road,township road,turnpike,wynd 2556 - blind faith,credulity,credulousness,disposition to believe,dotage,ease of belief,fondness,gross credulity,infatuation,overcredulity,overcredulousness,overopenness to conviction,overtrustfulness,rash conviction,trustfulness,uncritical acceptance,uncriticalness,unquestioning belief,unripe acceptation,unskepticalness,unsuspectingness,unsuspiciousness,will to believe,willingness to believe,wishful belief,wishful thinking 2557 - blind impulse,archetypal pattern,archetype,automatic response,automatic writing,automatism,brain wave,brainstorm,collective unconscious,compulsiveness,conditioning,drive,echolalia,echopraxia,fancy,flash,fleeting impulse,gut response,id,impulse,inborn proclivity,inspiration,instinct,instinctiveness,involuntariness,involuntary impulse,libido,natural impulse,natural instinct,natural tendency,notion,primitive self,quick hunch,reflex,reflex action,sheer chemistry,subconscious urge,sudden thought,unlearned capacity,unreasoning impulse,unwilledness,urge,vital impulse 2558 - blind spot,ablepsia,amaurosis,atmospheric attenuation,atmospherics,authoritarianism,benightedness,bigotry,blaring,blasting,blind side,blind spots,blinders,blindfolding,blinding,blindness,blurring the eyes,cataract,cecity,closed mind,clutter,cramped ideas,crawling,creeping,darkness,deflection,depriving of sight,dim-sightedness,drift,drop serene,economic blindness,ever-during dark,excecation,eyelessness,fade-out,fading,false echoes,fanaticism,glaucoma,ground clutter,gutta serena,hideboundness,hoodwinking,illiberality,insularism,insularity,interference,lack of vision,little-mindedness,littleness,making blind,mean mind,meanness,narrow sympathies,narrow views,narrow-mindedness,narrowness,nearsightedness,niphablepsia,noise,odium theologicum,parochialism,partial blindness,pettiness,petty mind,provincialism,psychic blindness,purblindness,reception,reduced sight,refraction,sea clutter,shortsightedness,shut mind,sightless eyes,sightlessness,smallness,snow blindness,soul-blindness,spiritual blindness,static,stone-blindness,straitlacedness,stuffiness,superrefraction,total blindness,trachoma,uncatholicity,unenlightenment,unseeingness 2559 - blind to,a stranger to,asleep,caught napping,dead to,deaf to,impercipient,in ignorance of,incognizant,insensible,insensible to,lost to,mindless,napping,nonconceiving,not with it,oblivious,out of it,unaware,unaware of,unconscious,unconscious of,unhearing,uninsightful,unknowing,unmindful,unmindful of,unperceiving,unprehensive,unrealizing,unseeing,unsuspecting,unwitting,witless 2560 - blind,ableptical,abstruse,alibi,amaurotic,ambuscade,ambush,ambushment,amorphous,apology,art,artful dodge,artifice,automatic,awning,back band,backstrap,bag of tricks,bamboozle,bandage,bat,be bright,beach umbrella,beacon,beam,bearing rein,becloud,beclouded,bedazzle,befog,bellyband,benight,benighted,bereft of light,bit,blank,blanket,blaze,blind drunk,blind man,blind the eyes,blind to,blind-alley,blinders,blindfold,blindfolded,blinds,blinker,blinkers,blotto,bluff,booby trap,boozy,bosey,breeching,bridle,buried,burn,camouflage,canned,caparison,catch,cavesson,cecal,checkrein,cheekpiece,chicanery,chinband,choked,choked off,chouse,cinch,clear as mud,cloak,close,closed,cloud,clouded,cloudy,collar,color,color-blind,compulsive,conceal,concealed,conditioned,conspiracy,constricted,contracted,contrivance,coup,cover,cover story,cover up,cover-up,covered,covert,craft,crownband,crupper,curb,curtain,curve,curve-ball,cute trick,dark,darken,daze,dazzle,dead,dead-end,deaf,deceit,deceive,deception,delusional,dense,deprive of sight,design,device,diffuse light,dim,dim-sighted,dim-witted,dirty deal,dirty trick,disguise,disguised,dissemble,distract attention from,dodge,dogmatic,drape,drapery,drunk,dull-witted,eclipse,eclipsed,ensconce,enshroud,envelop,excecate,excuse,expedient,eye patch,eyeless,facade,fakement,fast deal,feint,fetch,ficelle,flame,flare,flash,flat,foggy,fool,forced,front,fulgurate,fuzzy,gag swivel,gambit,game,gimmick,girth,give light,glance,glare,gleam,glint,gloss,gloss over,glow,googly,gouge,grift,guise,hackamore,halter,hames,hametugs,handle,harness,hazy,headgear,headstall,heedless,helpless,hemeralopic,hid,hidden,hide,hip straps,hocus-pocus,hoodwink,imperceptive,impercipient,impervious to,impetuous,impulsive,in a cloud,in a fog,in darkness,in eclipse,in purdah,in the wings,incandesce,incommunicado,inconsiderate,indeterminate,indiscriminate,indistinct,inebriated,insensible,insensible to,insensitive,instinctive,intrigue,involuntary,irrational,jaquima,jerk line,joker,juggle,jugglery,keep under cover,knavery,lackluster,lame excuse,latent,light shield,lines,little game,locus standi,lurking hole,luster,lusterless,make blind,maneuver,martingale,mask,mat,mechanical,mind-blind,mindless,misty,mole,move,muddled,muddy,murky,muted,myopic,mysterious,nearsighted,nebulous,nonunderstanding,noseband,nyctalopic,obfuscate,obfuscated,oblivious,obscure,obscured,obtuse,occult,opaque,ostensible motive,out,out cold,overcome,overshadow,paralyzed,parasol,pass,passed out,pixilated,plastered,plot,ploy,pole strap,poor excuse,positive,preoccupied,pretense,pretension,pretext,protestation,public motive,purblind,put-off,racket,radiate,rash,rayless,reckless,recondite,red herring,reflex,reflexive,refuge,reins,ribbons,ruse,saddle,scam,scheme,screen,scurvy trick,secluded,secluse,secret,semblance,send out rays,senseless,sequestered,shade,shader,shadow,shadowing,shadowy,shaft tug,sham,shapeless,shift,shine,shine brightly,shoot,shoot out rays,short-sighted,shortsighted,show,shroud,shut,side check,sightless,sleight,sleight of hand,sleight-of-hand trick,slow,slow-witted,slur over,smoke screen,snaffle,snow-blind,spiritually blind,squeezed shut,stalking-horse,stark blind,stiff,stone-blind,stoned,strangulated,stratagem,strategy,strike blind,stupid,subterfuge,sunblind,sunshade,surcingle,surveillance,tack,tackle,tactic,the blind,the sightless,the unseeing,thick,thoughtless,transcendent,trap,trappings,trick,trickery,tug,umbrella,unapprehending,unaware of,unclear,uncomprehending,unconscious,unconscious of,under an eclipse,under cover,under house arrest,under the table,under wraps,underground,undiscerning,undiscriminating,unenlightened,unintentional,unknown,unopen,unopened,unperceiving,unperceptive,unpersuadable,unplain,unreasoning,unseeing,unsighted,unthinking,unvented,unventilated,unwilled,unwilling,unwitting,vague,varnish,veil,visionless,weak-minded,whitewash,wile,wily device,winker braces,wrapped in clouds,yoke 2561 - blinded,bedazzled,blind,blindfold,blindfolded,darkened,dazed,dazzled,dim-sighted,excecate,hoodwinked,imperceptive,impercipient,insensible,mind-blind,myopic,nearsighted,nonunderstanding,obscured,purblind,shortsighted,snow-blind,snow-blinded,unapprehending,uncomprehending,undiscerning,unperceptive 2562 - blinders,authoritarianism,back band,backstrap,bearing rein,bellyband,bigotry,bit,blind side,blind spot,blindfold,blinds,blinkers,breeching,bridle,caparison,cavesson,checkrein,cheekpiece,chinband,cinch,closed mind,collar,cramped ideas,crownband,crupper,curb,eye patch,fanaticism,gag swivel,girth,hackamore,halter,hames,hametugs,harness,headgear,headstall,hideboundness,hip straps,illiberality,insularism,insularity,jaquima,jerk line,lines,little-mindedness,littleness,martingale,mean mind,meanness,narrow sympathies,narrow views,narrow-mindedness,narrowness,nearsightedness,noseband,odium theologicum,parochialism,pettiness,petty mind,pole strap,provincialism,purblindness,reins,ribbons,saddle,shaft tug,shortsightedness,shut mind,side check,smallness,snaffle,straitlacedness,stuffiness,surcingle,tack,tackle,trappings,tug,uncatholicity,winker braces,yoke 2563 - blindfold,bandage,bedazzle,benight,blind,blind the eyes,blinders,blinds,blinkers,darken,daze,dazzle,deprive of sight,dim,eclipse,excecate,eye patch,glare,gouge,hoodwink,make blind,obscure,snow-blind,strike blind 2564 - blindfolded,bedazzled,blind,blindfold,darkened,dazed,dazzled,dim-sighted,excecate,hoodwinked,imperceptive,impercipient,insensible,mind-blind,myopic,nearsighted,nonunderstanding,obscured,purblind,shortsighted,snow-blind,snow-blinded,unapprehending,uncomprehending,undiscerning,unperceptive 2565 - blinding,ablepsia,absolute,amaurosis,bedazzling,benightedness,bleeding,blessed,blind side,blind spot,blindfolding,blindness,blinking,blooming,blurring the eyes,bright,bright and shining,brilliant,cat-and-doggish,cataract,cecity,confounded,crude,darkness,dazzling,depriving of sight,dim-sightedness,doggone,downright,drippy,driving,drizzling,drizzly,drop serene,drumming,economic blindness,effulgent,ever-during dark,excecation,execrable,eyelessness,flamboyant,flaming,flaring,flashy,flaunting,fulgent,fulgid,garish,gaudy,glaring,glary,glaucoma,gross,gutta serena,hoodwinking,infernal,lack of vision,loud,lurid,making blind,misty,misty-moisty,mizzly,niphablepsia,obscuring,outright,overbright,partial blindness,pelting,pluvial,pluviose,pluvious,pouring,psychic blindness,rainy,rank,raw,reduced sight,refulgent,resplendent,screaming,showery,shrieking,sightless eyes,sightlessness,snow blindness,soul-blindness,spiritual blindness,splendent,splendid,splendorous,stone-blindness,streaming,total blindness,trachoma,unenlightenment,unmitigated,unseeingness,vivid 2566 - blindness,albinism,astigmatism,astigmia,bad eyesight,blurred vision,deafness,defect of vision,dim-sightedness,dogmatism,double sight,double vision,faulty eyesight,imperceptiveness,impercipience,imperfect vision,incognizance,incomprehension,insensibility,mindlessness,nearsightedness,nonrealization,nonrecognition,nonunderstanding,nystagmus,partial blindness,positiveness,purblindness,reduced sight,shortsightedness,tunnel vision,unapprehendingness,unawareness,unconsciousness,undiscerningness,unmindfulness,unperceptiveness,unpersuadableness,unwittingness 2567 - blink at,abide with,accept,allow for,be big,be blind,be blind to,be caught out,be content with,be easy with,be inattentive,be unwary,bear,bear with,brook,condone,connive at,countenance,discount,disregard,endure,fail,forget,give no heed,go blind,have,hear nothing,hear of,ignore,indulge,judge not,lean over backwards,leave unavenged,let it go,let pass,listen to reason,live with,make allowances for,make light of,miss,not attend,not heed,not listen,not notice,not see,not write off,omit,overlook,overpass,pass by,pass over,pay no attention,pay no mind,pocket the affront,put up with,regard with indulgence,see both sides,see nothing,slight,stand for,stomach,suffer,suspend judgment,take,think little of,tolerate,view with indulgence,walk in darkness,wear blinkers,wink at 2568 - blink,albedo,avoid,bat,bat the eyes,blench,blink at,blinking,broken,carefully ignore,cast,cold-shoulder,coruscate,coruscation,cringe,cut a corner,cut corners,disregard,dodge,draw back,duck,evade,fade,fall back,firefly,flash,flicker,flinch,fudge,funk,glance,gleam,glimmer,glimmering,glimpse,glisk,glisten,glister,glitter,glittering,glowworm,half an eye,hang back,ice sky,iceblink,ignore,in disrepair,incident light,jib,move,nictitate,on the blink,on the fritz,out of order,out of whack,overlook,pass over,pass over lightly,peek,peep,pull back,quail,quick sight,rapid glance,recoil,reel back,reflectance,reflection,retreat,scamp,scintilla,scintillate,scintillation,sheer off,shimmer,shimmering,shrink,shrink back,shy,sidestep,skim,skim over,skim the surface,skimp,skip over,slant,slight,slubber over,slur,slur over,snowblink,spangle,spark,sparkle,squiz,start,start aside,start back,stroboscopic light,swerve,tinsel,touch upon,touch upon lightly,turn aside,twinkle,twinkling,water sky,waterblink,weasel,weasel out,wince,wink,wink at 2569 - blinker,Roman candle,aid to navigation,alarm,amber light,balefire,beacon,beacon fire,bell,bell buoy,blue peter,buoy,caution light,flare,fog bell,fog signal,fog whistle,foghorn,glance,go light,gong buoy,green light,heliograph,high sign,international alphabet flag,international numeral pennant,kick,leer,marker beacon,nod,nudge,parachute flare,pilot flag,poke,police whistle,quarantine flag,radio beacon,red flag,red light,rocket,sailing aid,semaphore,semaphore flag,semaphore telegraph,sign,signal,signal beacon,signal bell,signal fire,signal flag,signal gong,signal gun,signal lamp,signal light,signal mast,signal post,signal rocket,signal shot,signal siren,signal tower,spar buoy,stop light,the nod,the wink,touch,traffic light,traffic signal,watch fire,white flag,wigwag,wigwag flag,wink,yellow flag 2570 - blinking,absolute,aflicker,asquint,astigmatic,bickering,blasted,bleeding,blink,blink-eyed,blinkard,blinky,blooming,complete,coruscant,coruscating,coruscation,cursed,cussed,damnable,dancing,downright,execrable,farsighted,firefly,flashing,flickering,flickery,flicky,fluttering,fluttering the eyelids,fluttery,glimmer,glimmering,glimmerous,glimmery,glisten,glistening,glister,glistering,glitter,glittering,glittery,glowworm,infernal,lambent,longsighted,mope-eyed,myopic,nearsighted,nictitation,out-and-out,outright,perfect,playing,poor-sighted,presbyopic,quivering,quivery,scintilla,scintillant,scintillating,scintillation,scintillescent,shimmer,shimmering,shimmery,shortsighted,spangle,spangly,spark,sparkle,sparkling,squinch-eyed,squint-eyed,squinting,squinty,strabismal,strabismic,stroboscopic,stroboscopic light,tinsel,tinselly,twinkle,twinkling,twinkly,unmitigated,wavering,wavery,winker,winking 2571 - blintz,Danish pastry,French pastry,baklava,buckwheat cake,cheese blintz,chocolate eclair,cream puff,crepe,dowdy,eclair,flapcake,flapjack,griddlecake,hot cake,palacsinta,pancake,pandowdy,pastry,pasty,patisserie,patty,patty-shell,pie,puff,quiche,rosette,strudel,tart,timbale,tipsy cake,trifle,turnover,vol-au-vent,waffle 2572 - blips,CRT spot,DM display,Doppler signal,IF signal,IM display,RF echoes,beam,beat signal,bounces,display,double-dot display,echo,echo signal,local oscillator signal,output signal,picture,pips,radar signal,reading,reflection,return,return signal,signal,signal display,spot,target image,trace,transmitter signal,video signal 2573 - bliss,Canaan,New Jerusalem,Zion,affability,agreeability,agreeableness,amenity,amiability,amicability,beatification,beatitude,bewitchment,blessedness,blissfulness,blitheness,cheer,cheerfulness,cloud nine,compatibility,complaisance,congeniality,cordiality,delectation,delight,ecstasy,ecstatics,elation,elysium,empyrean,enchantment,enjoyableness,enjoyment,exaltation,exhilaration,exuberance,felicitousness,felicity,gaiety,geniality,gladness,glee,goodliness,goodness,graciousness,happiness,happy hunting ground,harmoniousness,harmony,heaven,high spirits,intoxication,joy,joyance,joyfulness,joyousness,mellifluousness,mellowness,niceness,nirvana,overhappiness,overjoyfulness,paradise,pleasance,pleasantness,pleasantry,pleasingness,pleasurability,pleasurableness,pleasure,pleasurefulness,rapport,rapture,ravishment,seventh heaven,spirituality,sunshine,sweetness,transport,unalloyed happiness,welcomeness 2574 - blissful,Elysian,affable,agreeable,amiable,amicable,beaming,beatific,beatified,blessed,capering,cheerful,chirping,compatible,complaisant,congenial,cordial,dancing,desirable,divine,dulcet,empyreal,empyrean,en rapport,enjoyable,fair,fair and pleasant,felicific,felicitous,fine,flushed with joy,gay,genial,glad,glowing,good,goodly,gracious,grateful,gratifying,happy,harmonious,heart-warming,heavenly,honeyed,joyful,joyous,laughing,leaping,likable,mellifluous,mellow,nice,paradisiac,paradisial,paradisian,paradisic,pleasant,pleasing,pleasurable,pleasure-giving,pleasureful,purring,radiant,rewarding,saintly,satisfying,singing,smiling,smirking,sparkling,starry-eyed,sublime,sweet,thrice happy,welcome 2575 - blister,abscess,air bubble,aposteme,assail,attack,balloon,bed sore,bilge,birthmark,blackhead,bladder,blain,blaze,bleb,blemish,blob,blood blister,boil,boss,bow,brand,bubble,bubo,bulb,bulge,bulla,bump,bunch,bunion,burl,burn,burn in,burn off,button,cahot,canker,canker sore,carbuncle,cast,castigate,cauterize,chancre,chancroid,char,check,chilblain,chine,cicatrix,clump,coal,cold sore,comedo,condyle,convex,crack,crater,craze,cupel,defacement,defect,deformation,deformity,disfiguration,disfigurement,distortion,dowel,ear,eschar,excoriate,fault,felon,fester,festering,fever blister,fistula,flame,flange,flap,flaw,flay,found,freckle,furuncle,furunculus,fustigate,gall,gathering,globule,gnarl,gumboil,handle,hemangioma,hemorrhoids,hickey,hill,hump,hunch,jog,joggle,keloid,kibe,kink,knob,knot,knur,knurl,lash,lentigo,lesion,lip,loop,lump,milium,mole,mountain,needle scar,nevus,nub,nubbin,nubble,oxidate,oxidize,papilloma,papula,papule,parch,paronychia,parulis,peg,petechia,piles,pimple,pit,pock,pockmark,polyp,port-wine mark,port-wine stain,pustule,pyrolyze,rib,ridge,rift,ring,rising,roast,scab,scar,scarify,scathe,scorch,scourge,scratch,sear,sebaceous cyst,shoulder,singe,skin alive,slash,soap bubble,soft chancre,solder,sore,spine,split,stigma,strawberry mark,stud,sty,style,suppuration,swelling,swinge,tab,torrefy,track,trounce,tubercle,tubercule,twist,ulcer,ulceration,verruca,vesicate,vesicle,vulcanize,wale,warp,wart,weal,weld,welt,wen,wheal,whelk,whitehead,whitlow,wound 2576 - blistered,adust,ashen,ashy,beaten,blebby,blistering,blistery,bubbling,bubbly,burbling,burbly,burned,burnt,burnt-up,carbonated,chiffon,consumed,consumed by fire,ebullient,effervescent,fizzy,gutted,incinerated,parched,puffed,pyrographic,pyrolyzed,scorched,seared,singed,souffle,souffleed,sparkling,spumescent,sunburned,vesicant,vesicated,vesicatory,vesicular,whipped 2577 - blistering,afflict,annoy,ardent,baking,beaten,blasted,blazing,blebby,bleeding,blessed,blistered,blistery,blooming,boiling,bother,branding,broiling,bubbling,bubbly,burbling,burbly,burning,burning hot,calcination,canicular,carbonated,carbonization,cauterization,cautery,chiffon,cineration,combustion,concremation,cracking,cremation,cupellation,cursed,cussed,deflagration,destructive distillation,discomfort,distillation,distilling,ebullient,effervescent,execrable,fatigue,feverish,fiery,fizzy,flaming,flushed,grilling,heated,hot,hot as fire,hot as hell,incineration,infernal,irk,irritate,jade,like a furnace,like an oven,overheated,overwarm,oxidation,oxidization,parching,piping hot,puffed,pyrolysis,red-hot,refining,roasting,scalding,scorching,scorification,searing,seething,self-immolation,simmering,singeing,sizzling,sizzling hot,smelting,smoking hot,souffle,souffleed,sparkling,spumescent,sudorific,suttee,sweating,sweaty,sweltering,sweltry,the stake,thermogenesis,toasting,torrid,vesicant,vesicated,vesication,vesicatory,vesicular,wear,whipped,white-hot 2578 - blistery,beaten,blebby,blistered,blistering,bubbling,bubbly,burbling,burbly,carbonated,chiffon,ebullient,effervescent,fizzy,puffed,souffle,souffleed,sparkling,spumescent,vesicant,vesicated,vesicatory,vesicular,whipped 2579 - blithe,beaming,blase,blissful,blithesome,boon,bright,bright and sunny,carefree,careless,casual,cheerful,cheery,chirk,chirpy,chirrupy,delighted,detached,elated,eupeptic,euphoric,exalted,exhilarated,flushed,gay,genial,glad,gladsome,gleeful,glowing,happy,happy-go-lucky,heedless,high,hopeful,in good spirits,in high spirits,indifferent,insouciant,irrepressible,jocund,jolly,jovial,joyful,joyous,jubilant,laughing,light-hearted,lighthearted,lightsome,merry,mirthful,of good cheer,optimistic,pleasant,radiant,riant,rosy,sanguine,sanguineous,smiling,sparkling,sunny,uncaring,unconcerned,winsome 2580 - blithering,absolute,arrested,babbling,backward,blasted,blessed,burbling,crackbrained,cracked,crazy,cretinistic,cretinous,dithering,downright,driveling,drooling,gross,half-baked,half-witted,idiotic,imbecile,imbecilic,maundering,mentally defective,mentally deficient,mentally handicapped,mentally retarded,mongoloid,moronic,not all there,out-and-out,outright,positive,rank,retarded,simple,simpleminded,simpletonian,slobbering,subnormal 2581 - blithesome,beaming,blithe,boon,bright,bright and sunny,cheerful,cheery,elated,eupeptic,euphoric,exalted,exhilarated,festive,flushed,gay,genial,glad,gladsome,gleeful,glowing,happy,high,hopeful,in good spirits,in high spirits,irrepressible,jocund,jolly,jovial,laughing,lighthearted,of good cheer,optimistic,pleasant,radiant,riant,rosy,sanguine,sanguineous,smiling,sparkling,sunny,winsome 2582 - blitz,aggravated assault,aggression,aim at,air raid,ambush,amphibious attack,area bombing,armed assault,assail,assailing,assailment,assault,attack,banzai attack,barrage,blast,blitzkrieg,blow to pieces,blow up,bomb,bombard,bombardment,bombing,breakthrough,bushwhack,cannon,cannonade,carpet bombing,charge,come at,come down on,commence firing,counterattack,counteroffensive,coup de main,crack down on,crippling attack,dead set at,descend on,descend upon,descent on,dive-bombing,diversion,diversionary attack,drive,enfilade,fall on,fall upon,fire a volley,fire at,fire upon,flank attack,frontal attack,fusillade,gang up on,gas attack,go at,go for,harry,have at,head-on attack,high-altitude bombing,hit,hit like lightning,infiltration,jump,land on,lay at,lay hands on,lay into,light into,lightning attack,lightning war,low-altitude bombing,mass attack,megadeath,mine,mortar,mug,mugging,offense,offensive,onset,onslaught,open fire,open up on,overkill,panzer warfare,pepper,pitch into,pop at,pounce upon,pound,precision bombing,push,rake,run against,run at,rush,sail into,sally,saturation bombing,set on,set upon,shell,shock tactics,shoot,shoot at,shuttle bombing,skip-bombing,snipe,snipe at,sortie,spring,strafe,strafing,strategic bombing,strike,surprise,swoop down on,tactical bombing,take aim at,take the offensive,torpedo,unprovoked assault,wade into,zero in on 2583 - blitzkrieg,aggravated assault,aggression,air raid,amphibious attack,armed assault,assailing,assailment,assault,attack,banzai attack,blitz,bombardment,breakthrough,cannonade,charge,counterattack,counteroffensive,coup de main,crippling attack,dead set at,descent on,diversion,diversionary attack,drive,flank attack,frontal attack,gas attack,head-on attack,infiltration,lightning attack,lightning war,mass attack,megadeath,mugging,offense,offensive,onset,onslaught,overkill,panzer warfare,push,run against,run at,rush,sally,shock tactics,sortie,strafe,strafing,strike,unprovoked assault 2584 - blizzard,avalanche,black squall,blow,crystal,driven snow,equinoctial,flake,flurry,gale,granular snow,half a gale,heavy blow,hurricane,igloo,ill wind,line squall,line storm,mantle of snow,mogul,slosh,slush,snow,snow banner,snow bed,snow blanket,snow blast,snow fence,snow flurry,snow roller,snow slush,snow squall,snow wreath,snow-crystal,snowball,snowbank,snowbridge,snowcap,snowdrift,snowfall,snowfield,snowflake,snowland,snowman,snowscape,snowshed,snowslide,snowslip,snowstorm,squall,squall line,storm,storm wind,stormy winds,strong wind,tempest,tempestuous wind,thick squall,thundersquall,tropical cyclone,typhoon,ugly wind,violent blow,wet snow,white squall,whole gale,williwaw,wind-shift line,windstorm 2585 - bloat,accrue,accumulate,add to,advance,aggrandize,amplify,appreciate,augment,balloon,bloatedness,bloating,blotter,blow up,blowing up,boom,boozehound,boozer,breaking point,breed,broaden,build,build up,bulk,bulk out,crescendo,develop,diastole,dilatation,dilate,dilation,distend,distension,dropsy,drunk,edema,enlarge,expand,extend,extreme tension,fill out,flatulence,flatulency,flatus,gain,gain strength,gassiness,get ahead,go up,greaten,grow,guzzler,hike,hike up,huff,increase,inebriate,inflate,inflation,intensify,intumescence,lush,magnify,meteorism,mount,multiply,overdistension,overdrawing,overexpansion,overextension,overstrain,overstraining,overstretching,proliferate,puff,puff up,puffiness,puffing,pump,pump up,raise,rarefy,rise,run up,shoot up,snapping point,snowball,soak,sot,sponge,spread,strain,straining,strengthen,stretch,stretching,sufflate,swell,swellage,swelling,swollenness,tension,tippler,tumefaction,tumefy,tumescence,tumidity,tumidness,turgescence,turgidity,turgidness,tympanism,tympany,up,wax,widen,windiness 2586 - bloated,accelerated,adipose,aggrandized,amplified,arrogant,augmented,bagging,baggy,ballooning,bandy,bandy-legged,beefed-up,beefy,bellying,big-bellied,billowing,billowy,blemished,bloated with pride,blown up,blowzy,bombastic,boosted,bosomy,bowlegged,brawny,broadened,bulbose,bulbous,bulging,bumped,bumpy,bunched,bunchy,burly,bursting,buxom,choked,chubby,chunky,club-footed,congested,corpulent,crammed,crowded,deepened,defaced,deformed,dilated,disfigured,distended,drenched,dropsical,dumpy,dwarfed,edematous,elated,elevated,enchymatous,enhanced,enlarged,expanded,extended,fat,fattish,filled to overflowing,flatfooted,flatulent,fleshy,flushed,flushed with pride,formal,full,fully,gassy,glutted,gorged,grandiloquent,gross,grotesque,heavyset,hefty,heightened,hiked,hillocky,hippy,hummocky,hyperemic,ill-made,ill-proportioned,ill-shaped,important,imposing,in spate,incrassate,increased,inflated,intensified,jam-packed,jammed,jazzed up,knock-kneed,lusty,magisterial,magnified,malformed,marred,meaty,misbegotten,misproportioned,misshapen,monstrous,moutonnee,multiplied,mutilated,obese,out of shape,overblown,overburdened,overcharged,overfed,overflowing,overfraught,overfreighted,overfull,overgrown,overladen,overloaded,overstocked,overstuffed,oversupplied,overweight,overweighted,packed,paunchy,pigeon-toed,plethoric,plump,pneumatic,podgy,pompous,pontifical,portly,potbellied,pouching,proliferated,pudgy,puffed up,puffy,pug-nosed,pursy,rachitic,raised,ready to burst,reinforced,rickety,roly-poly,rotund,rounded,running over,satiated,saturated,self-important,simous,snub-nosed,soaked,solemn,spread,square,squat,squatty,stalwart,stiffened,stilted,stocky,stout,strapping,strengthened,stuffed,stuffed up,stuffy,stumpy,supercharged,supersaturated,surcharged,surfeited,swaybacked,swelled,swelling,swollen,talipedic,thick-bodied,thickset,tightened,top-heavy,truncated,tubby,tumid,turgid,ventose,verrucated,verrucose,warty,well-fed,widened,windy 2587 - blob,ball,balloon,bilge,bit,bladder,blain,bleb,blister,boll,bolus,boss,bow,bubble,bulb,bulbil,bulblet,bulge,bulla,bump,bunch,burl,button,cahot,chine,clump,condyle,convex,dab,dowel,drop,droplet,ear,ellipsoid,flange,flap,gall,geoid,globe,globelet,globoid,globule,glomerulus,gnarl,gob,gobbet,gout,handle,hill,hump,hunch,jog,joggle,knob,knot,knur,knurl,lip,loop,lump,mole,mountain,nevus,nub,nubbin,nubble,oblate spheroid,orb,orbit,orblet,papilloma,peg,pellet,prolate spheroid,rib,ridge,ring,rondure,shoulder,smidgen,smidgin,sphere,spheroid,spherule,spine,stud,style,tab,tubercle,tubercule,verruca,vesicle,wale,wart,welt 2588 - blobby,aleatoric,aleatory,amorphic,amorphous,anarchic,baggy,blurred,blurry,broad,chance,chancy,chaotic,characterless,confused,disordered,disorderly,featureless,foggy,formless,fuzzy,general,hazy,hit-or-miss,ill-defined,imprecise,inaccurate,inchoate,incoherent,indecisive,indefinable,indefinite,indeterminable,indeterminate,indistinct,inexact,inform,kaleidoscopic,lax,loose,lumpen,misty,nondescript,nonspecific,obscure,orderless,random,shadowed forth,shadowy,shapeless,stochastic,sweeping,unclear,undefined,undestined,undetermined,unordered,unorganized,unplain,unspecified,vague,veiled 2589 - bloc,Bund,Rochdale cooperative,alliance,assemblage,association,axis,band,body,coalition,college,combination,combine,common market,confederacy,confederation,consumer cooperative,cooperative,cooperative society,corps,council,credit union,customs union,economic community,faction,federation,free trade area,gang,group,grouping,league,machine,mob,partnership,party,political machine,ring,society,union 2590 - block out,adumbrate,block in,brief,carve,cast,chalk out,characterize,chisel,close,create,cut,delineate,detail,draft,efform,enumerate,fashion,figure,fix,forge,form,formalize,found,frame,hew,itemize,knead,knock out,lay out,lick into shape,line,mint,model,mold,number,obstruct,outline,parse,resolve,rough in,rough out,roughcast,roughhew,scan,schematize,sculpt,sculpture,set,shape,shroud,shut off,shut out,skeleton,sketch,stamp,tailor,thermoform,trace,work 2591 - block,Boeotian,Dutch auction,afterthought,agate,agnosia,apply to,aquatint,arm,arrest,auction,auction block,auction sale,autolithograph,ax,balk,ball,bar,barricade,barrier,baseball bat,bat,batch,battery,battledore,bauble,beat off,bind,blank wall,blanket,blind alley,blind gut,block out,block print,block up,blockade,blockage,blocking,blocks,blot out,board lot,body,bolt,bottleneck,brake,brick,bring to,bring up short,bulk,bung,bung up,bureaucratic delay,cake,canopy,catch,caulk,cecum,censorship,check,checkerboard,checkmate,chessboard,chink,chock,choke,choke off,choke up,choking,choking off,chromolithograph,chunk,city block,cloak,clod,clog,clog up,clos,close,close off,close tight,close up,clothe,cloud,club,clump,cluster,cockhorse,color print,concrete,concretion,confine,congest,congestion,conglomerate,conglomeration,constipate,constipation,constrict,conversion,cope,copperplate,copperplate print,cordon,cork,costiveness,counter,cover,cover up,cowl,crayon engraving,cricket bat,croft,cross,crowd,cube,cue,cul-de-sac,curtain,cut,cut off,cut short,dam,dam up,dead end,deadlock,death chair,death chamber,debar,defense mechanism,delay,delayage,delayed reaction,delirium,delusion,delusion of persecution,deny,design,detain,detention,determent,deterrent,difficulty,dimwit,disorientation,dog,doll,doll carriage,dolt,donkey,dope,double take,drag,dragging,drawback,drive back,drop,dullard,dumb cluck,dumbbell,dummy,dummy share,dunce,eclipse,electric chair,eliminate,ell,embolism,embolus,enclave,engravement,engraving,erase,etching,even lot,exclude,extension,fend,fend off,field,fill,fill up,film,flight of ideas,forty,foul,fractional lot,freeze,full lot,gallows,gallows-tree,gas chamber,gewgaw,gibbet,gimcrack,gob,golf club,gorge,gowk,graphotype,guillotine,hallucination,hallucinosis,halt,halter,hamper,hang-up,hazard,hemp,hempen collar,hinder,hindrance,hitch,hobbyhorse,hold at bay,hold back,hold off,hold up,holding,holdings,holdup,hood,hot seat,hunk,hurdle,impasse,impede,impediment,impress,impression,imprint,infarct,infarction,inhibition,interim,jack-in-the-box,jacks,jackstones,jackstraws,jam,jobbernowl,joker,keep at bay,keep back,keep off,kickshaw,kit,knickknack,knot,kraal,lackwit,lag,lagging,lamebrain,lay on,lay out,lay over,lethal chamber,lightweight,linoleum-block print,lithograph,loaf,lock,logjam,looby,loon,lot,lump,maiden,make late,mantle,marble,marionette,mask,mass,mental block,mental confusion,mezzotint,mig,moratorium,muffle,negative,niais,nihilism,nihilistic delusion,nincompoop,ninny,ninnyhammer,nitwit,noddy,node,noose,nugget,obduce,objection,obscure,obstacle,obstipate,obstipation,obstruct,obstruction,obstructive,occlude,occult,odd lot,one small difficulty,outcry,outfit,outline,overlay,overspread,pack,pale,paper doll,paperasserie,paralogia,parcel of land,parry,pat,patch,pause,pick-up sticks,piece,pinwheel,plan,plat,plaything,plot,plot of ground,plug,plug up,preference share,prevent,print,psychological block,pull up,puppet,push back,put,put back,put on,put paid to,quad,quadrangle,quantity,racket,rag doll,real estate,rebuff,red tape,red-tapeism,red-tapery,repel,repression,reprieve,repulse,resistance,respite,restraint,retard,retardance,retardation,roadblock,rocking horse,rope,rough out,round lot,rub,rubber-block print,scaffold,screen,scum,sealing off,section,series,set,share,shield,shut off,shut out,shut tight,sketch,slab,slacken,slow down,slow-up,slowdown,slowness,snag,solid,solid body,spile,sport,spread over,square,squeeze,squeeze shut,stake,stalemate,stall,stanch,stave off,stay,stay of execution,steelie,stem,stem the tide,stench,stifle,stockholding,stockholdings,stop,stop cold,stop dead,stop short,stop up,stoppage,stopper,stopple,strangle,strangulate,strangulation,stuff,stuff up,stumbling block,stumbling stone,stump,stupid,stymie,sublimation,suffocate,suit,suite,superimpose,superpose,suppression,suspension,symbolization,taw,teetotum,the chair,thickwit,tie-up,time lag,top,toy,toy soldier,tract,tree,trinket,turn aside,veil,vendue,vignette,wad,wait,wall,ward off,whim-wham,wing,witling,wood engraving,woodblock,woodcut,woodprint,xylograph 2592 - blockade,Jacksonian epilepsy,Rolandic epilepsy,abdominal epilepsy,access,acquired epilepsy,activated epilepsy,affect epilepsy,afterthought,akinetic epilepsy,apoplexy,arm,armor,armor-plate,arrest,arrestation,arrestment,attack,autonomic epilepsy,ban,bank,bar,bar out,barricade,barrier,barring,battle,beleaguer,beleaguerment,beset,besetment,besiege,besiegement,bind,blank wall,blind alley,blind gut,block,block up,blockade,blockading,blockage,blocking,bolt,bottleneck,bound,box in,boycott,bulwark,bung,bureaucratic delay,cage,cardiac epilepsy,castellate,catch,caulk,cecum,censorship,chamber,check,chink,chock,choke,choke off,choke up,choking,choking off,circumscription,clog,clog up,clogging,clonic spasm,clonus,close,close in,close off,close tight,close up,closing,closing up,closure,compass,confinement,congest,congestion,constipate,constipation,constrict,constriction,contain,convulsion,coop,coop in,coop up,cordon,cordon off,cordoning,cork,corral,cortical epilepsy,costiveness,count out,cover,cramp,crenellate,crowd,cul-de-sac,cursive epilepsy,curtain,cut off,dam,dam up,dead end,debar,debarment,debarring,delay,delayage,delayed reaction,demarcation,detainment,detention,determent,deterrent,difficulty,dig in,diurnal epilepsy,dog,double take,dragging,drawback,eclampsia,embargo,embattle,embolism,embolus,encircle,encirclement,enclose,enclosure,encompass,encompassment,enshrine,entrench,envelop,envelopment,epilepsia,epilepsia gravior,epilepsia major,epilepsia minor,epilepsia mitior,epilepsia nutans,epilepsia tarda,epilepsy,exception,exclude,exclusion,falling sickness,fence,fence in,fill,fill up,fit,fixation,focal epilepsy,foot-dragging,fortify,foul,freeze out,frenzy,garrison,gorge,grand mal,halt,hampering,hang-up,harass,harry,haute mal,hazard,hedge in,hem in,hindering,hindrance,hitch,holdback,holdup,house in,hurdle,hysterical epilepsy,ictus,ignore,immurement,impasse,impediment,impound,imprison,imprisonment,inadmissibility,incarcerate,incarceration,include,inclusion,infarct,infarction,inhibition,injunction,interference,interim,interruption,invest,investment,jail,jam,joker,keep out,kennel,lag,lagging,larval epilepsy,laryngeal epilepsy,laryngospasm,latent epilepsy,lay siege to,leaguer,leave out,let,lock,lock out,lockjaw,lockout,logjam,man,man the garrison,matutinal epilepsy,menstrual epilepsy,mew,mew up,mine,moratorium,musicogenic epilepsy,myoclonous epilepsy,narrowing,negativism,nocturnal epilepsy,nonadmission,nuisance value,objection,obstacle,obstipate,obstipation,obstruct,obstruction,obstructionism,obstructive,occlude,occlusion,omission,omit,one small difficulty,opposition,ostracize,pack,palisade,paperasserie,paroxysm,pass over,pause,pen,pen in,petit mal,physiologic epilepsy,pincer movement,plug,plug up,pocket,preclude,preclusion,prohibit,prohibition,psychic epilepsy,psychological block,psychomotor epilepsy,quarantine,rail in,red tape,red-tapeism,red-tapery,reflex epilepsy,reject,rejection,relegate,relegation,repression,reprieve,repudiate,repudiation,resistance,respite,restraint,restriction,retardance,retardation,retardment,roadblock,rotatoria,rub,sealing off,seizure,send to Coventry,sensory epilepsy,serial epilepsy,setback,shrine,shut in,shut off,shut out,shut tight,shut up,shutdown,shutting,shutting up,siege,slow-up,slowdown,slowness,snag,soften up,spasm,spile,squeeze,squeeze shut,stable,stanch,stay,stay of execution,stench,stifle,stop,stop up,stoppage,stopper,stopple,strangle,stranglehold,strangulate,strangulation,stricture,stroke,stuff,stuff up,stumbling block,stumbling stone,suffocate,suppression,surround,suspension,taboo,tardy epilepsy,tetanus,tetany,throes,thromboembolism,thrombosis,tie-up,time lag,tonic epilepsy,tonic spasm,torsion spasm,traumatic epilepsy,trismus,ucinate epilepsy,vertical envelopment,visitation,wait,wall,wall in,wrap,yard,yard up 2593 - blockbuster,astonishment,blow,bomb,bombshell,catch,earthshaker,eye-opener,joker,kicker,peripeteia,revelation,shocker,staggerer,startler,surprisal,surprise,surprise ending,surprise package,surprise party,switch,thunderbolt,thunderclap 2594 - blocked,Lethean,absentminded,amnestic,arrested,back,backward,behindhand,belated,bound,choked,choked up,clogged,clogged up,congested,constipated,converted,costive,delayed,delayed-action,detained,forgetful,forgetting,foul,fouled,full,heedless,held up,hung up,in a bind,in abeyance,inclined to forget,infarcted,jammed,late,latish,moratory,never on time,oblivious,obstipated,obstructed,overdue,packed,plugged,plugged up,repressed,retarded,slow,stopped,stopped up,stuffed,stuffed up,suppressed,tardy,unmindful,unpunctual,unready,untimely 2595 - blockhead,addlebrain,addlehead,addlepate,beefhead,blubberhead,blunderer,blunderhead,bonehead,boor,botcher,bufflehead,bumbler,bungler,cabbagehead,chowderhead,chucklehead,clod,clodhead,clodhopper,clodknocker,clodpate,clodpoll,clot,clown,dimwit,dolt,dolthead,dullhead,dumbbell,dumbhead,dummy,dunderhead,dunderpate,fathead,fumbler,gawk,gowk,jolterhead,jughead,klutz,knucklehead,looby,lout,lubber,lunkhead,meathead,muddlehead,mushhead,muttonhead,nitwit,noodlehead,numskull,oaf,ox,peabrain,pinbrain,pinhead,puddinghead,pumpkin head,puzzlehead,slouch,slubberer,stupidhead,thickhead,thickskull,tottyhead,yokel 2596 - blockheaded,beetleheaded,blockish,blunderheaded,boneheaded,cabbageheaded,chowderheaded,chuckleheaded,clodpated,dumbheaded,dunderheaded,fatheaded,jolterheaded,joltheaded,knuckleheaded,lunkheaded,muttonheaded,nitwitted,numskulled,pumpkin-headed,sapheaded,stupid,stupidheaded,thick,thickheaded,woodenheaded 2597 - blockhouse,acropolis,bastion,beachhead,box,bridgehead,bungalow,bunker,cabin,castle,chalet,citadel,cot,cote,cottage,donjon,fasthold,fastness,fort,fortress,garrison,garrison house,hold,keep,lodge,log cabin,love nest,martello,martello tower,mote,motte,peel,peel tower,pied-a-terre,pillbox,post,rath,safehold,snuggery,strong point,stronghold,tower,tower of strength,ward 2598 - blockish,Boeotian,asinine,beef-brained,beef-witted,blockheaded,bovine,chuckleheaded,chumpish,cloddish,cowish,crass,dense,doltish,dull,dullard,dumb,duncical,duncish,fat,gross,ineducable,klutzy,lumpish,numskulled,oafish,opaque,sottish,stupid,thick,unteachable,wrongheaded 2599 - blocky,chubby,chunky,dumpy,fat,podgy,pudgy,pug,pugged,retrousse,snub-nosed,squat,squattish,squatty,stocky,stubbed,stubby,stumpy,thickset,tubby,turned-up 2600 - bloke,Adamite,bastard,being,bird,body,boy,buck,bugger,cat,chap,character,creature,customer,duck,earthling,feller,fellow,gee,gent,gentleman,groundling,guy,hand,he,head,homo,human,human being,individual,jasper,joker,lad,life,living soul,man,mortal,nose,one,party,person,personage,personality,single,somebody,someone,soul,stud,tellurian,terran,worldling 2601 - blond,ash blond,ash-blond,bleached blond,bleached-blond,blond-haired,blond-headed,brunet,carrottop,champagne,flaxen,flaxen-haired,golden,golden-haired,goldilocks,honey blond,honey-blond,light,peroxide blond,peroxide-blond,platinum,platinum blond,platinum-blond,redhead,straw,strawberry blond,towhead,towheaded,xanthous 2602 - blood and thunder,demonstrativeness,emotional appeal,emotionalism,emotionality,emotionalization,emotionalizing,emotiveness,emotivity,histrionics,human interest,love interest,making scenes,melodrama,melodramatics,nonrationalness,sensationalism,theatricality,theatrics,unreasoningness,visceralness,yellow journalism 2603 - blood bank,Rh factor,Rh-negative,Rh-positive,Rh-type,Rhesus factor,X ray,antibody,antigen,arterial blood,arterial transfusion,blood,blood cell,blood count,blood donor,blood donor center,blood group,blood grouping,blood picture,blood platelet,blood pressure,blood serum,blood substitute,blood transfusion,bloodmobile,bloodstream,charity ward,circulation,clinic,clinical dextran,consultation room,delivery room,dextran,direct transfusion,dispensary,drip transfusion,emergency,erythrocyte,examining room,exchange transfusion,exsanguination transfusion,exsanguino transfusion,fever ward,globulin,gore,grume,hematics,hematologist,hematology,hematoscope,hematoscopy,hemocyte,hemoglobin,hemometer,hospital room,humor,ichor,intensive care,isoantibody,isolation,labor room,laboratory,leukocyte,lifeblood,maternity ward,neutrophil,nursery,operating room,opsonin,perfusion,phagocyte,pharmacy,plasma,plasma substitute,plasma transfusion,prison ward,private room,reciprocal transfusion,recovery room,red corpuscle,replacement transfusion,semi-private room,serum,serum transfusion,surgery,therapy,transfusion,treatment room,type O,venous blood,venous transfusion,ward,white corpuscle 2604 - blood brother,aunt,auntie,brethren,brother,bub,bubba,bud,buddy,country cousin,cousin,cousin once removed,cousin twice removed,daughter,father,first cousin,foster brother,frater,grandnephew,grandniece,granduncle,great-aunt,great-uncle,half brother,kid brother,mother,nephew,niece,nuncle,nunks,nunky,second cousin,sis,sissy,sister,sister-german,sistern,son,stepbrother,stepsister,unc,uncle,uncs,uterine brother 2605 - blood money,account,allowance,amends,assessment,atonement,bill,blackmail,compensation,consideration,damages,emolument,fee,footing,guerdon,honorarium,hush money,indemnification,indemnity,initiation fee,meed,mileage,price,quittance,reckoning,recompense,redress,remuneration,reparation,requital,requitement,restitution,retainer,retaining fee,retribution,return,reward,salvage,satisfaction,scot,smart money,solatium,stipend,tribute,wergild 2606 - blood relative,agnate,ancestry,blood,blood relation,clansman,cognate,collateral,collateral relative,connections,consanguinean,distaff side,distant relation,enate,family,flesh,flesh and blood,folks,german,kin,kindred,kinfolk,kinnery,kinsfolk,kinsman,kinsmen,kinswoman,kith and kin,near relation,next of kin,people,posterity,relations,relatives,sib,sibling,spear kin,spear side,spindle kin,spindle side,sword side,tribesman,uterine kin 2607 - blood,Beau Brummel,Christmas disease,Hand-Schuller-Christian disease,Letterer-Siwe syndrome,Rh factor,Rh-negative,Rh-positive,Rh-type,Rhesus factor,acute leukemia,affiliation,agnate,agnation,alliance,ancestry,anemia,angiohemophilia,anima,animal kingdom,animating force,antibody,antigen,aplastic anemia,apparentation,aristocracy,aristocraticalness,arterial blood,atman,bane,bathmism,beating heart,beau,beverage,biological clock,biorhythm,birth,blade,blood bank,blood cell,blood count,blood donor,blood donor center,blood group,blood grouping,blood picture,blood platelet,blood pressure,blood relation,blood relationship,blood relative,blood serum,blood substitute,bloodletting,bloodline,bloodmobile,bloodshed,bloodstream,blue blood,boulevardier,bracket,braining,branch,brand,breath,breath of life,breed,brood,brotherhood,brothership,buck,cast,caste,category,character,chronic leukemia,circulation,clan,clansman,claret,class,clinical dextran,clotheshorse,cognate,cognation,collateral,collateral relative,color,common ancestry,common descent,connection,connections,consanguinean,consanguinity,cousinhood,cousinship,coxcomb,cyclic neutropenia,dandy,dealing death,deme,denomination,derivation,descent,description,designation,destruction,destruction of life,dextran,direct line,dispatch,distaff side,distant relation,distinction,divine breath,divine spark,division,drink,dude,elan vital,enate,enation,erythrocyte,erythrocytosis,essence of life,estate,euthanasia,execution,exquisite,extermination,extraction,family,fashion plate,fatherhood,feather,female line,filiation,fine gentleman,flesh,flesh and blood,flow of blood,fluid,fluid extract,fluid mechanics,folk,folks,fop,force of life,form,foul play,fraternity,fribble,gallant,genre,gens,genteelness,genus,german,globulin,gore,grade,grain,group,grouping,growth force,grume,head,heading,heart,heartbeat,heartblood,hematics,hematologist,hematology,hematoscope,hematoscopy,hemocyte,hemoglobin,hemoglobinopathy,hemometer,hemophilia,hemophilia A,hemophilia B,homicide,honorable descent,house,humor,hydraulics,hydrogeology,hypochromic anemia,ichor,ilk,immolation,impulse of life,infectious granuloma,inspiriting force,iron deficiency anemia,isoantibody,jack-a-dandy,jackanapes,jiva,jivatma,juice,kidney,kill,killing,kin,kind,kindred,kinfolk,kinnery,kinsfolk,kinship,kinsman,kinsmen,kinswoman,kith and kin,label,lady-killer,lapidation,latex,leukemia,leukemic reticuloendotheliosis,leukocyte,level,life breath,life cycle,life essence,life force,life principle,life process,lifeblood,line,line of descent,lineage,liquid,liquid extract,liquor,living force,lot,lounge lizard,macaroni,macrocytic anemia,make,male line,man-about-town,manner,manslaughter,mark,martyrdom,martyrization,masher,maternity,matriclan,matrilineage,matriliny,matrisib,matrocliny,mercy killing,milk,mold,motherhood,multiple myeloma,myelogenous leukemia,nation,nature,near relation,neutropenia,neutrophil,next of kin,nobility,noble birth,nobleness,number,opsonin,order,origin,paternity,patriclan,patrilineage,patriliny,patrisib,patrocliny,pedigree,people,pernicious anemia,persuasion,phagocyte,phratry,phyle,phylum,pigeonhole,plant kingdom,plasma,plasma cell leukemia,plasma substitute,plasmacytoma,pneuma,poisoning,polycythemia,position,posterity,prana,predicament,propinquity,pseudoleukemia,puppy,purpura,purpura hemorrhagica,quality,race,rank,rating,red corpuscle,relation,relations,relationship,relatives,ritual killing,ritual murder,royalty,rubric,sacrifice,sap,seat of life,section,seed,semiliquid,sept,serum,set,shape,shooting,sib,sibling,sibship,sickle-cell anemia,side,sisterhood,sistership,slaughter,slaying,sort,soul,spark,spark of life,spear kin,spear side,species,spindle kin,spindle side,spirit,sport,stamp,station,status,stem,stirps,stock,stoning,strain,stratum,stripe,style,subdivision,subgroup,suborder,succession,swell,sword side,taking of life,thalassemia,the like of,the likes of,ties of blood,title,totem,tribe,tribesman,type,type O,uterine kin,variety,vascular hemophilia,venous blood,vis vitae,vis vitalis,vital energy,vital flame,vital fluid,vital force,vital principle,vital spark,vital spirit,water,whey,white corpuscle 2608 - bloodbath,bloodshed,blue ruin,breakup,butchery,carnage,consumption,damnation,decimation,depredation,desolation,despoilment,despoliation,destruction,devastation,disintegration,disorganization,disruption,dissolution,final solution,genocide,havoc,hecatomb,holocaust,mass destruction,mass murder,massacre,perdition,pogrom,race extermination,race-murder,ravage,ruin,ruination,saturnalia of blood,shambles,slaughter,spoliation,undoing,vandalism,waste,wholesale murder,wrack,wrack and ruin,wreck 2609 - bloodless,achromatic,achromic,anemic,anesthetic,arid,ashen,ashy,asthenic,at peace,barren,blah,blank,bled white,cadaverous,calm,characterless,chicken,chloranemic,cold,colorless,concordant,cowardly,dead,deadly pale,deathly pale,debilitated,dim,dimmed,dingy,discolored,dismal,draggy,drearisome,dreary,drooping,droopy,dry,dryasdust,dull,dusty,effete,elephantine,empty,etiolated,exsanguinated,exsanguine,exsanguineous,fade,faded,faint,faintish,fallow,feeble,flabby,flaccid,flat,floppy,ghastly,gone,gray,gutless,haggard,halcyon,hard,heavy,ho-hum,hollow,hueless,hypochromic,idyllic,imbecile,impassible,impotent,inane,inexcitable,insensate,insensitive,insipid,jejune,lackluster,languid,languorous,leaden,lifeless,limber,limp,listless,livid,low-spirited,lurid,lusterless,lustless,marrowless,mat,mealy,muddy,nerveless,neutral,orderly,pacific,pale,pale as death,pale-faced,pallid,pastoral,pasty,peaceable,peaceful,peacetime,pedestrian,piping,pithless,plodding,pointless,poky,ponderous,pooped,powerless,quiet,restful,rocky,rubbery,sallow,sapless,serene,sickly,sinewless,slack,slow,soft,solemn,spineless,spiritless,sterile,stiff,stodgy,strengthless,stuffy,superficial,tallow-faced,tasteless,tedious,toneless,tranquil,uncolored,unhardened,unlively,unnerved,unstrung,untroubled,vapid,wan,washed-out,waterish,watery,waxen,weak,weakly,whey-faced,white,wooden 2610 - bloodletting,aspiration,bane,bleeding,blood,bloodshed,braining,broaching,cupping,dealing death,destruction,destruction of life,dispatch,drafting,drainage,draining,drawing,emptying,euthanasia,execution,extermination,flow of blood,gore,immolation,kill,killing,lapidation,leeching,martyrdom,martyrization,mercy killing,milking,phlebotomy,pipetting,poisoning,pumping,ritual killing,ritual murder,sacrifice,shooting,siphoning,slaughter,slaying,stoning,sucking,suction,taking of life,tapping,venesection 2611 - bloodline,affiliation,apparentation,birth,blood,branch,breed,common ancestry,consanguinity,derivation,descent,direct line,distaff side,extraction,family,female line,filiation,house,line,line of descent,lineage,male line,phylum,race,seed,sept,side,spear side,spindle side,stem,stirps,stock,strain,succession,sword side 2612 - bloodlust,acuteness,animality,atrociousness,atrocity,barbarity,barbarousness,beastliness,bestiality,bloodiness,bloodthirst,bloodthirstiness,bloody-mindedness,brutality,brutalness,brutishness,cannibalism,cruelness,cruelty,destructiveness,extremity,ferociousness,ferocity,fiendishness,fierceness,force,furiousness,harshness,impetuosity,inclemency,inhumaneness,inhumanity,intensity,malignity,mercilessness,mindlessness,murderousness,pitilessness,rigor,roughness,ruthlessness,sadism,sadistic cruelty,sanguineousness,savagery,severity,sharpness,terrorism,truculence,ungentleness,vandalism,vehemence,venom,viciousness,violence,virulence,wanton cruelty 2613 - bloodmobile,Rh factor,Rh-negative,Rh-positive,Rh-type,Rhesus factor,antibody,antigen,arterial blood,arterial transfusion,blood,blood bank,blood cell,blood count,blood donor,blood donor center,blood group,blood grouping,blood picture,blood platelet,blood pressure,blood serum,blood substitute,blood transfusion,bloodstream,circulation,clinical dextran,dextran,direct transfusion,drip transfusion,erythrocyte,exchange transfusion,exsanguination transfusion,exsanguino transfusion,globulin,gore,grume,hematics,hematologist,hematology,hematoscope,hematoscopy,hemocyte,hemoglobin,hemometer,humor,ichor,isoantibody,leukocyte,lifeblood,neutrophil,opsonin,perfusion,phagocyte,plasma,plasma substitute,plasma transfusion,reciprocal transfusion,red corpuscle,replacement transfusion,serum,serum transfusion,transfusion,type O,venous blood,venous transfusion,white corpuscle 2614 - bloodshed,all-out war,appeal to arms,armed combat,armed conflict,attack,bane,battle,belligerence,belligerency,blood,bloodbath,bloodletting,braining,butchery,carnage,combat,dealing death,destruction,destruction of life,dispatch,euthanasia,execution,extermination,fighting,flow of blood,genocide,gore,hostilities,hot war,immolation,kill,killing,la guerre,lapidation,martyrdom,martyrization,mercy killing,might of arms,military operations,murder,open hostilities,open war,poisoning,resort to arms,ritual killing,ritual murder,sacrifice,shooting,shooting war,slaughter,slaying,state of war,stoning,taking of life,the sword,total war,violence,war,warfare,warmaking,warring,wartime 2615 - bloodstain,bloody,blot,blotch,blur,brand,dab,daub,ensanguine,eyesore,fleck,flick,flyspeck,macula,maculation,macule,mark,patch,smear,smirch,smouch,smudge,smut,smutch,spatter,speck,speckle,splash,splatter,splotch,spot,stain,stigma,taint,tarnish 2616 - bloodstream,Rh factor,Rh-negative,Rh-positive,Rh-type,Rhesus factor,antibody,antigen,arterial blood,blood,blood bank,blood cell,blood count,blood donor,blood donor center,blood group,blood grouping,blood picture,blood platelet,blood pressure,blood serum,blood substitute,bloodmobile,circulation,clinical dextran,dextran,erythrocyte,globulin,gore,grume,hematics,hematologist,hematology,hematoscope,hematoscopy,hemocyte,hemoglobin,hemometer,humor,ichor,isoantibody,leukocyte,lifeblood,neutrophil,opsonin,phagocyte,plasma,plasma substitute,red corpuscle,serum,type O,venous blood,white corpuscle 2617 - bloodsucker,barnacle,bedbug,blackmailer,extortioner,extortionist,freeloader,hanger-on,harpy,leech,lounge lizard,moocher,mosquito,parasite,predator,profiteer,racketeer,raptor,scrounge,scrounger,shakedown artist,shark,spiv,sponge,sponger,sucker,tick,vampire,vulture,wood tick 2618 - bloodthirsty,Draconian,Tartarean,aggressive,animal,antagonistic,anthropophagous,atrocious,barbaric,barbarous,battling,beastly,bellicose,belligerent,bestial,bloody,bloody-minded,brutal,brutalized,brute,brutish,cannibalistic,chauvinist,chauvinistic,combative,contentious,cruel,cruel-hearted,cutthroat,demoniac,demoniacal,devilish,diabolic,enemy,fell,feral,ferocious,fiendish,fiendlike,fierce,fighting,full of fight,gory,hawkish,hellish,homicidal,hostile,infernal,inhuman,inhumane,inimical,jingo,jingoish,jingoist,jingoistic,martial,militant,militaristic,military,murdering,murderous,offensive,pitiless,pugnacious,quarrelsome,red-handed,ruthless,saber-rattling,sadistic,sanguinary,sanguine,sanguineous,satanic,savage,scrappy,self-destructive,sharkish,slaughterous,slavering,soldierlike,soldierly,subhuman,suicidal,trigger-happy,truculent,unchristian,uncivilized,unfriendly,unhuman,unpacific,unpeaceable,unpeaceful,vicious,warlike,warmongering,warring,wolfish 2619 - bloody minded,Draconian,Tartarean,aggressive,animal,antagonistic,anthropophagous,atrocious,barbaric,barbarous,battling,beastly,bellicose,belligerent,bestial,bloodthirsty,bloody,brutal,brutalized,brute,brutish,cannibalistic,chauvinist,chauvinistic,combative,contentious,cruel,cruel-hearted,cutthroat,demoniac,demoniacal,devilish,diabolic,enemy,fell,feral,ferocious,fiendish,fiendlike,fierce,fighting,full of fight,gory,hawkish,hellish,homicidal,hostile,infernal,inhuman,inhumane,inimical,jingo,jingoish,jingoist,jingoistic,martial,militant,militaristic,military,murderous,offensive,pugnacious,quarrelsome,red-handed,ruthless,saber-rattling,sadistic,sanguinary,sanguineous,satanic,savage,scrappy,self-destructive,sharkish,slaughterous,slavering,soldierlike,soldierly,subhuman,suicidal,trigger-happy,truculent,unchristian,uncivilized,unfriendly,unhuman,unpacific,unpeaceable,unpeaceful,vicious,warlike,warmongering,warring,wolfish 2620 - bloody,Draconian,Tartarean,abrade,accursed,aggressive,agonize,animal,antagonistic,anthropophagous,atrocious,barbaric,barbarous,bark,battling,beastly,bellicose,belligerent,bestial,bleed,bleeding,blemish,blood-colored,blood-spattered,bloodstain,bloodstained,bloodthirsty,bloody-minded,bloody-red,blooming,break,brutal,brutalized,brute,brutish,burn,cannibalistic,chafe,chauvinist,chauvinistic,check,chip,chylifactive,chylifactory,chylific,claw,combative,complete,consummate,contentious,convulse,crack,craze,crucify,cruel,cruel-hearted,cursed,cussed,cut,cutthroat,damn,damnable,damned,dashed,demoniac,demoniacal,devilish,diabolic,ecchymose,ecchymosed,enemy,ensanguine,ensanguined,excruciate,execrable,fell,feral,ferine,ferocious,fiendish,fiendlike,fierce,fighting,fracture,fray,frazzle,fret,full of fight,gall,gash,goddamn,goddamned,gory,grim,gross,harrow,hawkish,hellish,hemorrhage,hemorrhaging,homicidal,hostile,humoral,hurt,ichorous,impale,incise,infernal,inhuman,inhumane,inimical,injure,jingo,jingoish,jingoist,jingoistic,kill by inches,kill-crazy,lacerate,lachrymal,lacrimatory,lancinate,lose blood,macerate,maim,make mincemeat of,malign,malignant,martial,martyr,martyrize,maul,merciless,militant,militaristic,military,murdering,murderous,mutilate,noncivilized,offensive,out-and-out,phlegmy,pierce,pitiless,pugnacious,puncture,punish,purulent,pussy,quarrelsome,rack,rank,red-handed,rend,rheumy,rip,ruddy,run,rupture,ruthless,saber-rattling,sadistic,sanguinary,sanguine,sanguineous,sanious,satanic,savage,scald,scarify,scorch,scotch,scrape,scrappy,scratch,scuff,self-destructive,serous,sharkish,shed blood,skin,slash,slaughterous,slavering,slit,soldierlike,soldierly,spill blood,sprain,stab,stick,strain,subhuman,suicidal,suppurated,suppurating,suppurative,tameless,tear,tearlike,torment,torture,traumatize,trigger-happy,truculent,unchristian,uncivilized,unfriendly,ungentle,unhuman,unmitigated,unpacific,unpeaceable,unpeaceful,untamed,vicious,warlike,warmongering,warring,wild,wolfish,wound,wrench,wring 2621 - bloom,Hygeia,advance,anthesis,attain majority,attractiveness,bake,batten,be in bloom,be in flower,be in heat,beam,bear fruit,beauteousness,beautifulness,beauty,beauty unadorned,beggar description,black spot,blaze,blooming,blooping,blossom,blossoming,blow,blowing,blush,blushing,boil,boom,bring to maturity,broil,budtime,burgeon,burn,burst into bloom,burst with health,charm,choke,coloring,combust,come of age,come to fruition,come to maturity,cook,crimsoning,definition,develop,early years,effloresce,efflorescence,elegance,emotional health,enjoy good health,evolute,evolve,exquisiteness,fatten,feel fine,feel good,fieriness,fitness,flame,flame up,flare,flare up,fledge,flicker,floreate,florescence,floret,floriculture,floscule,flourish,flower,flowerage,floweret,flowering,flowering time,flush,flushing,fringe area,fry,full bloom,gardening,gasp,ghost,glow,grace,granulation,grid,grow,grow fat,grow up,handsomeness,hard shadow,health,hectic,hectic flush,horticulture,hortorium,image,incandesce,incandescence,jeunesse,juvenescence,juvenility,keep fit,knock dead,leave the nest,loveliness,mantling,maturate,mature,mellow,mental health,multiple image,my burning youth,my green age,never feel better,noise,pant,parch,physical condition,physical fitness,picture,picture noise,picture shifts,posy,prettiness,prime of life,progress,pulchritude,radiate heat,rain,reach its season,reach manhood,reach maturity,reach twenty-one,reach voting age,reddening,redness,ripe,ripen,roast,rolling,rosiness,rubefacient,rubescence,rufescence,salad days,scald,scanning pattern,scintillation,scorch,season,seedtime of life,seethe,settle down,shading,shimmer with heat,shine,simmer,smolder,smother,snow,snowstorm,spark,springtime of life,stay in shape,stay young,steam,stew,stifle,suffocate,sweat,swelter,temper,tender age,tenderness,the beautiful,thrive,toast,toga virilis,unfolding,unfoldment,wax,wear well,well-being,whiteness,wildflower,young blood,youngness,youth,youthfulness,youthhead,youthhood,youthiness 2622 - blooming,absolute,blamed,blankety-blank,blasted,bleeding,blinking,bloody,complete,consummate,cursed,damnable,execrable,infernal,out-and-out,outright,rank,ruddy,unmitigated 2623 - blooper,bloomer,blunder,bobble,bonehead play,boner,boo-boo,boob stunt,boot,break,bull,bungle,dumb trick,faux,fluff,fool mistake,foozle,foul-up,gaffe,goof,howler,impropriety,indecorum,lapse,louse-up,mistake,muck-up,pratfall,screamer,screw-up,slip,solecism,trip 2624 - blooping,birdies,black spot,bloom,blurping,definition,distortion,feedback,flare,flutter,fluttering,fringe area,ghost,granulation,grid,hard shadow,hissing,howling,hum,image,motorboating,multiple image,noise,picture,picture noise,picture shifts,rain,rolling,rumble,scanning pattern,scintillation,scratching,shading,shredding,snow,snowstorm,squeals,static,whistles,woomping,wow,wowwows 2625 - blossom,advance,anthesis,batten,be in bloom,be in flower,bear fruit,bloom,blooming,blossoming,blow,blowing,blush,boom,brew,bring to maturity,bud,burgeon,burst into bloom,capitulum,come to fruition,corymb,cyme,develop,effloresce,efflorescence,evolute,evolve,fatten,floreate,florescence,floret,floriculture,floscule,flourish,flower,flowerage,floweret,flowering,flush,full bloom,gardening,gather,germinate,glow,grow,grow fat,grow up,horticulture,hortorium,hypertrophy,increase,inflorescence,leaf,maturate,mature,mellow,mushroom,open,outgrow,overdevelop,overgrow,overtop,panicle,posy,procreate,progress,pullulate,raceme,reach its season,reach maturity,reproduce,ripe,ripen,shoot,shoot up,spike,spring up,sprout,sprout up,thrive,tower,umbel,unfold,unfolding,unfoldment,upshoot,upspear,upspring,upsprout,vegetate,wax,wildflower 2626 - blot out,abate,abbreviate,abolish,abridge,annul,becloud,bedarken,bedim,begloom,black,black out,blacken,blast,block the light,blot,blue-pencil,bowdlerize,brown,bump off,cancel,cast a shadow,censor,cloud,cloud over,croak,cross out,cut,darken,darken over,dele,delete,dim,dim out,do in,eclipse,edit,edit out,efface,encloud,encompass with shadow,eradicate,erase,expunge,expurgate,exterminate,extinguish,extirpate,fix,get,give the business,gloom,gun down,hit,ice,kill,lay out,murk,obfuscate,obliterate,obnubilate,obscure,obumbrate,occult,occultate,off,omit,overcast,overcloud,overshadow,polish off,raze,rescind,root out,rub out,rule out,scratch,scratch out,settle,shade,shadow,somber,sponge,sponge out,strike,strike off,strike out,take care of,void,waste,wipe out,zap 2627 - blot,absorb,adsorb,air-dry,anhydrate,annihilate,aspersion,assimilate,attaint,baboon,badge of infamy,bag,bake,bar sinister,baton,bedarken,bend sinister,besmirch,bespatter,bespeckle,bespot,bestain,black,black eye,black mark,blacken,blackwash,blemish,bloodstain,blot out,blot up,blotch,blotting,blotting out,blow upon,blur,brand,broad arrow,brush,burn,cancel,cancellation,censure,champain,charcoal,chemisorb,chemosorb,conceal,cork,cover up,cross out,cure,dab,darken,daub,deface,defame,defect,defile,dehumidify,dehydrate,dele,delete,deletion,demolish,denigrate,desiccate,destroy,digest,dim,dinge,disapprove,discolor,disfigure,disfigurement,disparage,disparagement,dog,drain,drink,drink in,drink up,dry,dysphemize,ebonize,eclipse,efface,effacement,engross,erase,erasure,err,evaporate,expose,expose to infamy,expunction,expunge,exsiccate,eyesore,filter in,fire,flaw,fleck,flick,flyspeck,freckle,fright,gargoyle,gibbet,hag,hang in effigy,harridan,hide,imbibe,imputation,infiltrate,ink,insolate,kiln,look a fright,look a mess,look bad,look like hell,look something terrible,macula,maculate,maculation,macule,mar,mark,mark of Cain,melanize,mess,monster,monstrosity,mummify,murk,nigrify,no beauty,obliterate,obliteration,obscure,odium,offend,offend the eye,onus,osmose,oversmoke,parch,patch,percolate in,pillory,pillorying,point champain,raze,reflection,reprimand,reproach,rub,rub out,rule out,scar,scarecrow,scorch,scratch,scratch out,scrubbing,sear,seep in,shade,shadow,shrivel,sight,sin,slur,slurp up,smear,smirch,smoke,smouch,smudge,smut,smutch,soak in,soak up,soil,soilage,soilure,soot,sorb,spatter,speck,speckle,splash,splatter,splotch,spoil,sponge,sponge out,spot,stain,stigma,stigmatism,stigmatization,stigmatize,strike out,sully,sun,sun-dry,swab,swill up,taint,take in,take up,tarnish,teratism,torrefy,towel,transgress,uglify,ugly duckling,vilify,washing out,weazen,wipe,wipe out,wiping out,witch,wither,wizen 2628 - blotch,band,bar,bedarken,besmirch,bespangle,bespeckle,bespot,birthmark,black,blacken,blackwash,blaze,blaze a trail,blemish,bloodstain,blot,blur,brand,caste mark,chalk,chalk up,charcoal,check,check off,checker,checkmark,cicatrix,cicatrize,cork,cut,dab,dapple,dappledness,dappleness,darken,dash,daub,define,delimit,demarcate,denigrate,dinge,discolor,discoloration,dot,dottedness,earmark,ebonize,engrave,engraving,eyesore,flake,fleck,flick,flyspeck,freckle,freckliness,gash,graving,hack,harlequin,hatch,impress,imprint,ink,iris,jot,lentigo,line,macula,maculate,maculation,macule,make a mark,marble,marbleize,mark,mark off,mark out,marking,melanize,mole,motley,mottle,mottledness,murk,nevus,nick,nigrify,notch,oversmoke,patch,pencil,pepper,point,pointillage,pointillism,polka dot,polychrome,polychromize,prick,print,punch,punctuate,puncture,rainbow,riddle,scar,scarification,scarify,score,scotch,scratch,scratching,seal,seam,shade,shadow,smear,smirch,smoke,smouch,smudge,smut,smutch,soil,soilage,soilure,soot,spangle,spatter,speck,speckle,speckliness,splash,splatter,splotch,spot,spottedness,spottiness,sprinkle,stain,stamp,stigma,stigmatize,stipple,stippledness,stippling,strawberry mark,streak,striate,stripe,stud,taint,tarnish,tattoo,tattoo mark,tessellate,tick,tick off,tittle,trace,underline,underscore,variegate,vein,watermark 2629 - blotchy,besmirched,bespangled,bespeckled,blotched,dingy,dirty,dotted,dotty,flea-bitten,flecked,fleckered,frecked,freckle-faced,freckled,freckly,fuliginous,grimy,macular,maculate,maculated,muddy,murky,patchy,peppered,pocked,pockmarked,pocky,pointille,pointillistic,polka-dot,punctated,smirched,smoky,smudgy,smutty,sooty,spangled,spattered,specked,speckled,speckledy,speckly,splashed,splattered,splotched,splotchy,spotted,spotty,sprinkled,stippled,studded 2630 - blotter,Domesday Book,absorbency,absorbent,absorption,account book,address book,adsorbent,adsorption,adversaria,album,annual,appointment calendar,appointment schedule,assimilation,blankbook,bloat,blotting,blotting paper,boozehound,boozer,calendar,cashbook,catalog,chemisorption,chemosorption,classified catalog,commonplace book,court calendar,daybook,desk calendar,diary,digestion,diptych,docket,drunk,endosmosis,engagement book,engrossment,exosmosis,guzzler,inebriate,infiltration,journal,ledger,log,logbook,loose-leaf notebook,lush,memo book,memorandum book,memory book,notebook,osmosis,pad,percolation,petty cashbook,pocket notebook,pocketbook,police blotter,scrapbook,scratch pad,seepage,sorption,spiral notebook,sponge,sponging,table,tablet,triptych,workbook,writing tablet,yearbook 2631 - blotto,blind,blind drunk,boozy,canned,disguised,drunk,helpless,inebriated,muddled,out,out cold,overcome,paralyzed,passed out,pixilated,plastered,stiff,stoned,under the table 2632 - blow down,beat down,blow over,bowl down,bowl over,break down,bring down,bulldog,bulldoze,burn down,cast down,chop down,cut down,dash down,deck,down,drop,fell,fetch down,flatten,hew down,knock down,knock over,lay level,lay low,lay out,level,mow down,precipitate,prostrate,pull down,rase,raze,send headlong,smash,spread-eagle,steamroller,supinate,take down,tear down,throw,throw down,topple,trip,tumble,whack down 2633 - blow hot and cold,alternate,around the bush,back and fill,beat about,beg the question,bicker,boggle,cavil,change,chop and change,choplogic,dither,dodge,ebb and flow,equivocate,evade,evade the issue,fence,flounder,fluctuate,go through phases,hedge,mystify,nitpick,obscure,oscillate,palter,parry,pendulate,pick nits,prevaricate,pussyfoot,quibble,ring the changes,seesaw,shift,shilly-shally,shuffle,shy,sidestep,split hairs,stagger,sway,swing,teeter,teeter-totter,tergiversate,totter,turn,vacillate,vary,waver,wax and wane,wobble 2634 - blow in,accomplish,achieve,approach,arrive,arrive at,arrive in,attain,attain to,be received,bob up,check in,clock in,come,come in,come to,come to hand,fetch,fetch up at,find,gain,get,get in,get there,get to,hit,hit town,make,make it,pop up,pull in,punch in,reach,ring in,roll in,show,show up,sign in,time in,turn up 2635 - blow off,attenuate,beef,bellyache,bitch,bleat,blow,blowhard,cast forth,clear away,crab,dilute,dispel,dissipate,dissolve,drive away,evaporate,fuss,shoot the shit,squawk,talk big,thin,thin out,volatilize,yammer,yawp 2636 - blow out,backfire,belch,blast,blow,blow open,blow up,break out,burst,burst forth,burst out,bust,cast forth,choke,clean out,clear,clear away,clear off,clear out,clear the decks,damp,debouch,decant,defecate,deplete,detonate,discharge,disembogue,disgorge,douse,drain,drain out,ejaculate,eject,eliminate,empty,empty out,eruct,erupt,evacuate,exhaust,expel,explode,extinguish,extravasate,find vent,fire,flow,flow out,fulminate,go off,gush,gush out,hurl forth,jet,let off,out,outflow,outpour,pour,pour forth,pour out,purge,put out,quench,remove,run out,scour out,send forth,send out,set off,shoot,slack,sluice out,smother,snuff,snuff out,spew,spew out,spout,spout out,spurt,squirt,stamp out,stifle,surge,sweep out,throw out,touch off,unclog,unfoul,vent,void,vomit,vomit forth,well,well out 2637 - blow over,be all over,be no more,become extinct,become void,blast,blow,blow a hurricane,blow down,blow great guns,blow up,bluster,bowl down,bowl over,breeze,breeze up,brew,bring down,bulldog,cast down,chop down,come up,cut down,dash down,deck,die,die away,down,drop,expire,fell,fetch down,floor,freshen,gather,go out,ground,have it,have its time,hew down,huff,knock down,lapse,lay level,lay low,lay out,level,mow down,pass,pass away,pipe up,precipitate,prostrate,puff,pull down,rage,rase,raze,run its course,run out,send headlong,set in,spread-eagle,squall,storm,supinate,take down,throw,throw down,topple,trip,tumble,waft,wear away,wear off,whack down,whiff,whiffle 2638 - blow the whistle,arrest,bear witness against,betray,blab,block,brake,bring to,bring up short,call a halt,check,checkmate,cut short,dam,deadlock,draw rein,fink,freeze,halt,have had it,inform against,inform on,lose patience,narc,peach,pull up,put paid to,rat,sell out,snitch,snitch on,squeal,stalemate,stall,stay,stem,stem the tide,stool,stop,stop cold,stop dead,stop short,tattle,tell on,testify against,turn informer 2639 - blow up,accelerate,add to,adulate,aggrandize,aggravate,amplify,annoy,apotheosize,arouse,augment,awake,awaken,backfire,be angry,be excitable,beef up,belaud,belie,bellow,bepraise,blast,bless,blitz,bloat,blow,blow a fuse,blow a gasket,blow a hurricane,blow great guns,blow out,blow over,blow sky-high,blow the coals,blow to pieces,blow up,blueprint,bluster,boast of,boil,boil over,bomb,bombard,brag about,brain,breeze,breeze up,brew,bring down,bristle,broaden,build,build up,bulk,bulk out,burn,burn to death,burst,bust,call forth,call up,catch fire,catch the infection,celebrate,come apart,come to nothing,come up,complicate,concentrate,condense,consolidate,crescendo,cry up,cut down,cut to pieces,deal a deathblow,deepen,deflate,deify,detonate,develop,dilate,discharge,disconfirm,discredit,disintegrate,disprove,distend,double,drop,emblazon,enhance,enkindle,enlarge,enrage,eulogize,exacerbate,exaggerate,exalt,excite,excite easily,expand,explode,expose,extend,extol,fail miserably,fan,fan the fire,fan the flame,feed the fire,fell,fire,fire up,fizz out,fizzle,fizzle out,flame,flame up,flare up,flash up,flatter,flip,fly out,foment,frag,frenzy,freshen,fulminate,fume,gather,get excited,get nowhere,give the quietus,glorify,go into hysterics,go off,go phut,gun down,hang up,have a tantrum,heat,heat up,heighten,hero-worship,hike,hike up,hit the ceiling,hop up,hot up,huff,idolize,impassion,incense,incinerate,incite,increase,inflame,inflate,infuriate,intensify,invalidate,jazz up,jugulate,key up,kindle,lapidate,lather up,laud,lay low,let off,light the fuse,light up,lionize,madden,magnify,make complex,make much of,mine,misfire,move,mushroom,negate,negative,overexcite,overpraise,panegyrize,pay tribute,pipe up,pistol,poleax,poop out,porter aux nues,praise,print,process,prove the contrary,puff,puff up,pump,pump up,puncture,rage,raise,ramify,ramp,rant,rant and rave,rarefy,rave,redouble,reinforce,riddle,rouse,run a temperature,salute,seethe,set astir,set fire to,set in,set off,set on fire,sharpen,shoot,shoot down,shoot to death,shotgun,show up,silence,smolder,soup up,spring,squall,stab to death,steam up,step up,stir,stir the blood,stir the embers,stir the feelings,stir up,stone,stone to death,storm,strengthen,stretch,strike dead,sufflate,summon up,swell,take fire,touch off,triple,trumpet,turn a hair,turn on,undercut,up,vaporize,waft,wake,wake up,waken,warm,warm the blood,whet,whiff,whiffle,whip up,widen,work into,work up 2640 - blow,Barnumize,Lucullan feast,accident,accomplished fact,accomplishment,ache,achievement,aching,act,acta,action,adventure,amplify,anthesis,astonishment,bafflement,bagpipe,balk,bang,banquet,bash,bastinado,bat,bay,be in bloom,be in flower,bean-feast,beano,bear fruit,beat it,beating,beep,bell,belt,betrayed hope,biff,black squall,blare,blast,blasted expectation,blat,blighted hope,blizzard,blockbuster,bloom,blooming,blossom,blossoming,blow,blow a horn,blow a hurricane,blow great guns,blow off,blow out,blow over,blow the horn,blow up,blowhard,blowing,blowout,blunder away,bluster,bobble,bomb,bombast,bombshell,bonk,boot,bop,botch,box,brag,bray,break,break down,breath,breathe,breathe hard,breathe in,breathe out,breather,breathing space,breeze,breeze up,brew,bring to maturity,buffet,bugger up,bugle,bump,bungle,burgeon,burn out,burst,burst into bloom,bust,calamity,carillon,casualty,cataclysm,catastrophe,catch,chop,clarion,clean out,clear,clear away,clear off,clear out,clear the decks,clip,clout,clump,cock-a-doodle-doo,collapse,collision,come to fruition,come up,comedown,concussion,consume,contretemps,cough,coup,crack,crack up,crack-up,cramp,crash,crow,cruel disappointment,cuff,cut,cyclone,dash,dashed hope,dealings,deed,defeat,defecate,depart,deplete,destroy,detonate,dig,ding,dint,disappointment,disaster,discomfiture,disillusionment,dissatisfaction,dissipate,distend,distress,dither,dog it,doing,doings,dolor,doodle,double-tongue,douse,drain,droop,drop,drop a brick,drop the ball,drub,drubbing,drumming,duck and run,duck out,duff,dynamite,earthshaker,effloresce,efflorescence,effort,eliminate,embroider,emit,empty,empty out,endeavor,enlarge,enterprise,equinoctial,evacuate,exaggerate,exhale,exhaust,exit,expand,expel,expire,explode,exploit,extinguish,eye-opener,failure,faint,fait accompli,fallen countenance,fan,fatigue,feast,feat,festal board,fiasco,fife,fizzle,flag,flare up,flaw,floreate,florescence,floret,floriculture,floscule,flourish,flower,flowerage,floweret,flowering,flub,fluff,flurry,flute,foiling,fool away,foozle,forlorn hope,foul up,freshen,fritter,frustration,fuck up,full bloom,fumble,fume,fusillade,gale,gamble away,gardening,gasconade,gasp,gather,gest,get away,get off,get tired,give off,give out,give vent to,go,go through,goof,goof up,grief,groaning board,grow up,grow weary,gulp,gust,hack,half a gale,hand,handiwork,hang the expense,heave,heavy blow,hesitate,hiccup,hit,honk,hope deferred,horticulture,hortorium,huff,hurricane,hurt,ill hap,ill wind,increase,inflate,inhale,injury,inspire,jab,jade,jar,job,joker,jolt,kicker,knock,lam,lavish,lay it on,leave,lesion,let out,letdown,lick,line squall,line storm,lip,louse up,magnify,maneuver,maturate,mature,measure,mellow,mess,mess up,mirage,misadventure,mischance,misfortune,mishap,mismanage,mouth,move,muck up,muff,nasty blow,open the floodgates,open the sluices,operation,overstate,overt act,pain,pang,pant,passage,passion,peal,pelt,percussion,performance,peripeteia,peter out,pile it on,pileup,pipe,pipe up,play out,plug,plunk,poke,pontificate,poop out,posy,pound,prate,proceeding,production,puff,puff and blow,pull a boner,pull out,punch,purge,quit,rage,rap,reach its season,reach maturity,reek,remove,res gestae,respire,respite,retire,revelation,ripe,ripen,rodomontade,ruffle,run down,run out,run through,scatter,scour out,scram,screw up,scud,seize the day,set in,set up,setback,shatter,shilly-shally,shipwreck,shock,shocker,shoot the shit,short-circuit,shout,shriek,sigh,sink,skin out,slam,slap,slather,slog,slosh,slug,smack,smash,smashup,smoke,sneeze,sniff,sniffle,snore,snort,snuff,snuffle,sock,sore,sore disappointment,sore spot,sound,sound a tattoo,sound taps,souse,sow broadcast,spasm,spend,squall,squall line,squander,squeal,staggerer,staggering blow,stand,startler,steam,step,storm,storm wind,stormy winds,stress,stress of life,stroke,strong wind,stunt,succumb,suffering,surprisal,surprise,surprise ending,surprise package,surprise party,swap,swat,sweep out,swell,swing,swipe,switch,take a powder,talk big,talk highfalutin,tantalization,tattoo,tease,tempest,tempestuous wind,ten,tender spot,thick squall,thing,thing done,throes,throw away,throw money around,throw off,throw out,thump,thunderbolt,thunderclap,thundersquall,thwack,tire,token punishment,tongue,toot,tootle,tornado,tour de force,tragedy,transaction,trifle away,triple-tongue,tropical cyclone,trumpet,turn,tweedle,typhoon,ugly wind,unclog,undertaking,unfolding,unfoldment,unfoul,vacillate,vamoose,vapor,vaunt,vent,violent blow,void,waft,wallop,waste,weary,welt,whack,wheeze,whiff,whiffle,whine,whirlwind,whistle,white squall,whole gale,whomp,whop,wildflower,williwaw,wilt,wind,wind gust,wind the horn,wind-shift line,windstorm,winnow,withdraw,work,works,wound,wreck,wrench,yerk 2641 - blower,Captain Bobadil,Gascon,Texan,aerator,air conditioner,air cooler,air filter,air passage,bellows,big mouth,blowgun,blowhard,blowpipe,blowtube,blusterer,boaster,brag,braggadocio,braggart,cooling system,electric fan,exhaust fan,fan,fanfaron,flabellum,gasbag,gasconader,hector,hot-air artist,miles gloriosus,punkah,rodomontade,thermantidote,ventilator,windbag,windcatcher,windjammer,windsail,windscoop,windy 2642 - blowgun,automatic,bellows,blower,blowpipe,blowtube,firearm,flamethrower,gat,gun,handgun,heater,musket,peashooter,piece,pistol,repeater,revolver,rifle,rod,sawed-off shotgun,shooting iron,shotgun,six-gun,six-shooter 2643 - blowhard,Captain Bobadil,Gascon,Texan,big mouth,blower,blusterer,boaster,brag,braggadocio,braggart,fanfaron,gasbag,gasconader,hector,hot-air artist,miles gloriosus,rodomontade,windbag,windjammer,windy 2644 - blowhole,air duct,air hole,air passage,air shaft,air tube,airway,armhole,avenue,breathing hole,bullet-hole,bunghole,channel,chute,cringle,deadeye,debouch,door,egress,emunctory,escape,estuary,exhaust,exit,eye,eyelet,floodgate,flume,gasket,grommet,guide,keyhole,knothole,loop,loophole,louver,louverwork,manhole,mousehole,naris,nostril,opening,out,outcome,outfall,outgate,outgo,outlet,peephole,pigeonhole,pinhole,placket,placket hole,pore,port,porthole,punch-hole,sally port,shaft,sluice,spilehole,spiracle,spout,tap,touchhole,transom,vent,ventage,venthole,ventiduct,ventilating shaft,ventilator,vomitory,way out,weir,wind tunnel 2645 - blown,blasted,bleak,blighted,despoiled,exposed,flyblown,frowsty,frowsy,frowy,frowzy,fusty,gamy,high,maggoty,mildewed,moldering,moldy,moth-eaten,musty,off,rancid,rank,ravaged,raw,reechy,smutted,smutty,sour,soured,stale,strong,tainted,turned,weevily,windblown,windswept,worm-eaten,wormy 2646 - blowout,Kaffeeklatsch,Lucullan feast,Mardi Gras,Saturnalia,backfire,ball,bang,banquet,bash,bean-feast,beano,blast,blow,blowup,boom,burst,carnival,cocktail party,coffee klatch,costume party,detonation,dinner,dinner party,discharge,disgorgement,do,donation party,ejaculation,emission,entertainment,eructation,eruption,explosion,expulsion,extravasation,fair,feast,festal board,festival,festive occasion,festivity,fete,field day,fiesta,flare,flash,fulguration,fulmination,gala,gala affair,gala day,garden party,great doings,groaning board,hen party,high jinks,house party,house-raising,housewarming,jamboree,jet,kermis,lawn party,mask,masque,masquerade,masquerade party,outburst,outpour,party,picnic,report,shindig,shindy,shower,smoker,spout,spurt,squirt,stag,stag party,surprise party,waygoose,wayzgoose 2647 - blowpipe,acetylene welder,automatic,bellows,blast lamp,blower,blowgun,blowtorch,blowtube,burner,firearm,flamethrower,gat,gun,handgun,heater,musket,peashooter,piece,pistol,repeater,revolver,rifle,rod,sawed-off shotgun,shooting iron,shotgun,six-gun,six-shooter,torch,welder,welding blowpipe 2648 - blowtorch,Jet Liner,acetylene welder,blast lamp,blowpipe,burner,business jet,jet,jet plane,multi-jet,pulse-jet,ramjet,single-jet,tailless jet,torch,turbojet,twin-jet,welder,welding blowpipe 2649 - blowup,Photostat,Xerox,Xerox copy,accelerando,acceleration,access,aggravation,backfire,bang,beefing-up,blast,blaze of temper,blowing up,blowout,blueprint,boom,burst,concentration,condensation,consolidation,contact printing,cyanotype,deepening,detonation,discharge,enhancement,enlargement,eruption,exacerbation,exaggeration,explosion,flare,flare-up,flash,fulguration,fulmination,glossy,heating-up,heightening,high words,hologram,information explosion,intensification,lantern slide,magnification,matte,microcopy,microprint,outburst,photocopy,photogravure,photostatic copy,pickup,population explosion,positive,print,projection printing,redoubling,reinforcement,report,scene,semi-matte,slide,speedup,step-up,storm,strengthening,tightening,transparency 2650 - blowy,aeolian,airish,airy,blasty,blustering,blusterous,blustery,boreal,breezy,brisk,drafty,favonian,flawy,fresh,gusty,puffy,squally,windy 2651 - blowzy,adipose,beat-up,bedraggled,beefy,big-bellied,bloated,blooming,blowzed,bosomy,brawny,burly,burnt,buxom,careless,chintzy,chubby,chunky,corpulent,dilapidated,distended,drabbletailed,draggled,draggletailed,dumpy,fat,fattish,fleshy,florid,flush,flushed,frowzy,frumpish,frumpy,full,full-blooded,glowing,gross,grubby,heavyset,hectic,hefty,hippy,imposing,in rags,informal,loose,lumpen,lusty,meaty,messy,mussy,negligent,obese,overweight,paunchy,plump,podgy,poky,portly,potbellied,pudgy,puffy,pursy,ragged,raggedy,red-complexioned,red-faced,red-fleshed,roly-poly,rosy,rosy-cheeked,rotund,rubicund,ruddy,ruddy-complexioned,ruddy-faced,ruinous,sanguine,scraggly,seedy,shabby,shoddy,slack,slatternly,slipshod,sloppy,slovenly,sluttish,sordid,squalid,square,squat,squatty,stalwart,stocky,stout,strapping,sunburned,swollen,tacky,tattered,thick-bodied,thickset,top-heavy,tubby,unkempt,unneat,unsightly,untidy,well-fed 2652 - blubber,bark,bawl,bellow,blare,blat,boil,boil over,boohoo,boom,bray,break down,breathe,breeze,bubble,bubble over,bubble up,burble,burst into tears,butter,buzz,cackle,chant,chirp,clay,coo,crow,cry,cushion,dissolve in tears,dough,down,drawl,drone,drop a tear,effervesce,eiderdown,exclaim,feather bed,feathers,ferment,fizz,fizzle,fleece,floss,flue,fluff,flute,foam,gabble,gasp,gibber,greet,growl,grunt,guggle,gurgle,hiss,jabber,kapok,keen,lilt,maunder,mouth,mumble,murmur,mutter,pant,pillow,pipe,plop,plush,pudding,puff,putty,roar,rubber,rumble,satin,scream,screech,seethe,shed tears,shriek,sibilate,sigh,silk,simmer,sing,snap,snarl,snivel,snort,sob,sparkle,speak incoherently,splutter,sputter,squall,squawk,squeal,susurrate,swansdown,thistledown,thunder,trumpet,twang,velvet,wail,warble,wax,weep,whimper,whine,whisper,wool,work,yap,yawp,yell,yelp,zephyr 2653 - blubbery,adipose,buttery,butyraceous,chrismal,chrismatory,fat,fatty,greasy,lardaceous,lardy,mucoid,oily,oleaginous,oleic,rich,sebaceous,sleek,slick,slippery,smooth,soapy,suety,tallowy,unctuous,unguent,unguentary,unguentous 2654 - bludgeon,bat,baton,be imminent,billy,billy club,blackjack,bluster,bluster out of,bounce,browbeat,bulldoze,bully,bullyrag,club,coerce,comminate,cow,demoralize,denounce,dragoon,forebode,harass,hector,hijack,huff,intimidate,look threatening,lower,menace,nightstick,shanghai,shillelagh,steamroller,strong-arm,systematically terrorize,terrorize,threaten,truncheon,use violence,utter threats against,war club,warn 2655 - blue blood,Brahman,ancestry,archduke,aristocracy,aristocrat,aristocraticalness,armiger,baron,baronet,birth,blood,carnage,count,daimio,distinction,duke,earl,elite,esquire,flower,genteelness,gentility,gentleman,gentry,grand duke,grandee,hidalgo,honorable descent,lace-curtain,laird,landgrave,lord,lordling,magnate,magnifico,margrave,marquis,nobility,noble,noble birth,nobleman,nobleness,optimate,palsgrave,patrician,peer,quality,rank,royalty,seigneur,seignior,silk-stocking,society,squire,swell,thoroughbred,upper class,upper-cruster,viscount,waldgrave 2656 - blue book,Almanach de Gotha,Congressional Record,Hansard,Red Book,Royal Kalendar,Social Register,account,acquaintance,announcement,audition,briefing,bulletin,communication,communique,data,datum,directory,dispatch,enlightenment,evidence,exam,examen,examination,facts,factual information,familiarization,final,final examination,gazette,gen,genealogy,general information,great go,green book,guidebook,handout,hard information,hearing,honors,incidental information,info,information,instruction,intelligence,knowledge,light,mention,message,midsemester,midterm,notice,notification,official journal,oral,oral examination,pedigree,prelim,presentation,promotional material,proof,publication,publicity,quiz,release,report,sidelight,state paper,statement,studbook,take-home examination,test,the dope,the goods,the know,the scoop,transmission,trial,tripos,viva,white book,white paper,word,written,written examination,yellow book 2657 - blue chip,assessable stock,authorized capital stock,blue chip stock,borrowed stock,capital stock,common stock,convertible preferred stock,corporate stock,cumulative preferred stock,cyclical stock,defensive stock,deferred stock,eighth stock,equities,equity,equity security,fancies,floating stock,glamour issue,growth stock,guaranteed stock,high-flier,hot issue,hypothecated stock,inactive stock,income stock,issued capital stock,letter stock,loaned stock,long stock,nonassessable stock,nonvoting stock,ordinary shares,pale blue chip,participating preferred stock,penny stock,preference stock,preferred stock,protective stock,quarter stock,rails,reverse split,seasoned stock,share ledger,shares,short stock,special situation stock,specialty stock,speculative stock,split,standard stock,steels,stock,stock ledger,stock list,stock split,stocks,ten-share unit stock,treasury stock,unissued capital stock,utilities,voting stock 2658 - blue collar worker,breadwinner,casual,casual laborer,common laborer,day laborer,employee,factory worker,flunky,free lance,free-lancer,full-time worker,hand,industrial worker,jobber,jobholder,laborer,laboring man,menial,migrant,moiler,navvy,office temporary,proletarian,roustabout,salaried worker,self-employed person,servant,stiff,temporary,toiler,wage earner,wage slave,wageworker,worker,workgirl,workhand,working girl,workingman,workingwoman,workman 2659 - blue devil,Amytal,Amytal pill,Demerol,Dolophine,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Seconal,Seconal pill,Tuinal,Tuinal pill,alcohol,amobarbital sodium,analgesic,anodyne,barb,barbiturate,barbiturate pill,black stuff,blue,blue angel,blue heaven,blue velvet,calmative,chloral hydrate,codeine,codeine cough syrup,depressant,depressor,dolly,downer,goofball,hard stuff,heroin,hop,horse,hypnotic,junk,knockout drops,laudanum,liquor,lotus,meperidine,methadone,morphia,morphine,narcotic,opiate,opium,pacifier,pain killer,paregoric,pen yan,phenobarbital,phenobarbital sodium,purple heart,quietener,rainbow,red,scag,secobarbital sodium,sedative,shit,sleep-inducer,sleeper,sleeping draught,sleeping pill,smack,sodium thiopental,somnifacient,soother,soothing syrup,soporific,tar,tranquilizer,turps,white stuff,yellow,yellow jacket 2660 - blue devils,blahs,blue Johnnies,blues,dismals,dods,doldrums,dolefuls,dorts,dumps,frumps,grumps,megrims,mopes,mulligrubs,mumps,pink elephants,pink spiders,pouts,snakes,sulks,sullens,the beezie-weezies,the heebie-jeebies,the jimjams,the screaming meemies,the shakes 2661 - blue in the face,abandoned,amok,bellowing,berserk,carried away,delirious,demoniac,distracted,ecstatic,enraptured,feral,ferocious,fierce,frantic,frenzied,fulminating,furious,haggard,hog-wild,howling,hysterical,in a transport,in hysterics,intoxicated,mad,madding,maniac,orgasmic,orgiastic,possessed,rabid,raging,ramping,ranting,raving,ravished,roaring,running mad,storming,transported,uncontrollable,violent,wild,wild-eyed,wild-looking 2662 - blue language,bad language,billingsgate,colorful language,cursing,cussing,dirty language,dirty talk,dysphemism,evil speaking,filth,filthy language,foul language,obscenity,profane swearing,profanity,ribaldry,scatology,strong language,swearing,unparliamentary language,unrepeatable expressions,vile language,vulgar language 2663 - blue movie,Rabelaisianism,X-rated movie,bawdiness,bawdry,dirt,dirtiness,dirty movie,erotic art,erotic literature,erotographomania,fescenninity,filth,filthiness,foulness,iconolagny,lewdness,nastiness,obscenity,offensiveness,pornographic art,pornographic literature,pornographomania,pornography,ribaldry,salaciousness,salacity,scurrility,sexploitation,skin flick,smut,smuttiness,soft-core pornography,stag film,vileness 2664 - blue pencil,abbreviate,abridge,amend,blot out,bowdlerize,cancel,censor,correct,cross out,cut,delete,edit,edit out,emend,emendate,erase,expunge,expurgate,kill,omit,recense,rectify,redact,redraft,rescind,revamp,revise,rework,rewrite,rub out,strike,strike off,strike out,void,work over 2665 - blue ribbon,acme,authority,authorization,be-all and end-all,championship,command,control,cordon,cordon bleu,decoration,decoration of honor,directorship,dominion,effectiveness,first place,first prize,garter,gold star,grand cordon,headship,hegemony,height,highest,imperium,influence,jurisdiction,kingship,leadership,lordship,management,mastership,mastery,maximum,most,ne plus ultra,new high,order,ornament,palms,paramountcy,power,presidency,primacy,record,red ribbon,riband,ribbon,rule,say,sovereignty,star,supremacy,sway,top spot,zenith 2666 - blue streak,antelope,arrow,blue darter,cannonball,courser,dart,eagle,electricity,express train,flash,gazelle,greased lightning,greyhound,hare,jet plane,light,lightning,mercury,quicksilver,rocket,scared rabbit,shot,streak,streak of lightning,striped snake,swallow,thought,thunderbolt,torrent,wind 2667 - blue velvet,Amytal,Amytal pill,Demerol,Dolophine,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Seconal,Seconal pill,Tuinal,Tuinal pill,alcohol,amobarbital sodium,analgesic,anodyne,barb,barbiturate,barbiturate pill,black stuff,blue,blue angel,blue devil,blue heaven,calmative,chloral hydrate,codeine,codeine cough syrup,depressant,depressor,dolly,downer,goofball,hard stuff,heroin,hop,horse,hypnotic,junk,knockout drops,laudanum,liquor,lotus,meperidine,methadone,morphia,morphine,narcotic,opiate,opium,pacifier,pain killer,paregoric,pen yan,phenobarbital,phenobarbital sodium,purple heart,quietener,rainbow,red,scag,secobarbital sodium,sedative,shit,sleep-inducer,sleeper,sleeping draught,sleeping pill,smack,sodium thiopental,somnifacient,soother,soothing syrup,soporific,tar,tranquilizer,turps,white stuff,yellow,yellow jacket 2668 - blue,Alice blue,Amytal,Amytal pill,Brunswick blue,Caelus,Capri blue,Chinese blue,Copenhagen blue,Demerol,Dolophine,Dresden blue,Fescennine,French blue,Gobelin blue,H,Luminal,Luminal pill,M,Mickey Finn,Nembutal,Nembutal pill,Persian blue,Pompeian blue,Prussian blue,Rabelaisian,Saxe blue,Seconal,Seconal pill,Tuinal,Tuinal pill,Wedgwood blue,X,absolute,air,alcohol,amobarbital sodium,analgesic,aniline blue,anodyne,aquamarine,atrabiliar,atrabilious,azo blue,azulene,azure,azure-blue,azure-colored,azurean,azured,azureness,azureous,azurite blue,baby blue,bad,barb,barbiturate,barbiturate pill,bawdy,benzoazurine,beryl,beryl-blue,berylline,bice,black,black stuff,bleu celeste,blue angel,blue devil,blue heaven,blue sky,blue turquoise,blue velvet,blueness,blueprint,bluish,bluishness,brine,briny,broad,cadaverous,cadet blue,caelum,calamine blue,calmative,canopy,canopy of heaven,cerulean,ceruleous,cerulescent,chloral hydrate,ciba blue,coarse,cobalt,codeine,codeine cough syrup,cold-type proof,color proof,complete,computer proof,cope,cornflower,corpselike,crestfallen,cyan,cyanean,cyanine blue,cyanosis,dark-blue,deadly,deathlike,deathly,deathly pale,deep,deep-blue,dejected,delft blue,depressant,depressed,depressor,despondent,dirty,disconsolate,dismal,dispirited,dolly,down,downcast,downer,downhearted,downright,drink,eerie,empyrean,erotic,ether,filthy,firmament,foul,foul-mouthed,foul-spoken,foul-tongued,foundry proof,fulsome,funky,galley,galley proof,garter blue,ghastly,ghostlike,ghostly,glaucous blue,gloomy,glum,goofball,grisly,gruesome,haggard,hard stuff,heaven,heavens,heroin,hop,horse,hyacinth,hyaline,hypnotic,improper,impure,indecent,indelicate,indigo,indigo white,infernal,isamine blue,ithyphallic,jouvence blue,junk,knockout drops,lapis lazuli blue,laudanum,lavender blue,lewd,lift,lifts,light-blue,lightish-blue,liquor,livid,lividity,lividness,lotus,low,low-spirited,lurid,macabre,madder blue,main,marine blue,melancholic,melancholy,meperidine,methadone,methylene azure,methylene blue,morose,morphia,morphine,mortuary,narcotic,nasty,navy,navy blue,new blue,obscene,off color,off-color,offensive,old blue,opiate,opium,out-and-out,pacifier,page proof,pain killer,pale,paregoric,pavonian,pavonine,peacock blue,peacock-blue,pen yan,pensive,perfect,phenobarbital,phenobarbital sodium,plate proof,pompadour green,pornographic,positive,powder blue,press proof,progressive proof,proof,proof sheet,pull,purple,purple heart,quietener,racy,rainbow,raunchy,red,regular,repro proof,revise,ribald,risque,sad,salacious,salty,sapphire,sapphirine,scag,scurrile,scurrilous,sea,sea blue,secobarbital sodium,sedative,sexy,shady,shit,sky,sky blue,sky-blue,sky-colored,sky-dyed,sleep-inducer,sleeper,sleeping draught,sleeping pill,slip,smack,smalt,smoke blue,smoking-room,smutty,sodium thiopental,somnifacient,soother,soothing syrup,soporific,spicy,starry heaven,steel blue,stone proof,suggestive,sultry,tar,the blue,the blue serene,titillating,tranquilizer,trial impression,tristful,trypan blue,turps,turquoise,ultramarine,uncanny,unchaste,unclean,unearthly,unhappy,unprintable,unrepeatable,vandyke,vault,vault of heaven,vile,vulgar,wan,weird,welkin,white stuff,wicked,wistful,woad,woebegone,yellow,yellow jacket,zaffer 2669 - bluejacket,AB,Ancient Mariner,Argonaut,Dylan,Flying Dutchman,Naval Reservist,Neptune,OD,Poseidon,Royal Marine,Seabee,Varuna,able seaman,able-bodied seaman,boot,buccaneer,cadet,deep-sea man,fair-weather sailor,fisherman,frogman,gob,hearty,horse marine,jack,jack afloat,jack-tar,jacky,jolly,limey,lobsterman,marine,mariner,matelot,midshipman,midshipmite,naval cadet,navigator,navy man,pirate,privateer,sailor,salt,sea dog,sea rover,seafarer,seafaring man,seaman,shipman,swabbie,tar,viking,water dog,whaler,windjammer,windsailor 2670 - blueprint,Photostat,Xerox,Xerox copy,agenda,alphabet,approach,arrange,arrangement,art,attack,batting order,bill,bill of fare,blow up,blowup,blue,blueprinting,brouillon,budget,calculation,calendar,card,carte du jour,cartoon,cast,catalog,catalogue raisonne,charactering,characterization,chart,charting,choreography,cold-type proof,color proof,computer proof,conception,contact printing,contrivance,conventional representation,copy,cyanotype,dance notation,delineation,demonstration,depiction,depictment,design,develop,device,devise,diagram,disposition,docket,dope out,draft,drama,drawing,ebauche,elevation,enlarge,enlargement,enterprise,envisagement,esquisse,exemplification,figuration,figure,figuring,foresight,forethought,foundry proof,galley,galley proof,game,game plan,glossy,graph,graphing,ground plan,guidelines,hieroglyphic,hologram,house plan,ichnography,iconography,idea,ideogram,illustration,imagery,imaging,intention,lantern slide,lay off,lay out,layout,letter,limning,lineup,list of agenda,logogram,logograph,long-range plan,map,map out,mapping,mark off,mark out,master plan,matte,menu,method,methodology,microcopy,microprint,musical notation,notation,operations research,organization,outline,page proof,pattern,photocopy,photogravure,photostatic copy,pictogram,picturization,plan,planning,planning function,plate proof,playbill,plot,plot out,portraiture,portrayal,positive,prearrangement,prefigurement,presentment,press proof,print,printing,procedure,process,profile,program,program of action,program of operation,programma,progressive proof,project,projection,projection printing,proof,proof sheet,prospectus,protocol,pull,rationalization,realization,rendering,rendition,representation,repro proof,revise,roster,rough,schedule,schema,schematism,schematization,scheme,scheme of arrangement,score,script,semi-matte,set out,setup,skeleton,sketch,sketch out,slate,slide,slip,stone proof,strategic plan,strategy,syllabary,symbol,system,systematization,tablature,table,table of contents,tactical plan,tactics,the big picture,the picture,transparency,trial impression,vandyke,way,working drawing,working plan,writing 2671 - blues,Brautlied,Christmas carol,Kunstlied,Liebeslied,Volkslied,alba,anthem,art song,aubade,ballad,ballade,balladry,ballata,barcarole,blahs,blue devils,bluegrass,blues song,boat song,border ballads,bridal hymn,brindisi,calypso,canso,canticle,canzone,canzonet,canzonetta,carol,cavatina,chanson,chant,chantey,city blues,country blues,country music,country-and-western music,croon,croon song,dejection,depression,dirge,dismals,ditty,dods,doldrums,dolefuls,dorts,drinking song,dumps,epithalamium,ethnic music,field holler,folk song,folk songs,frumps,gloom,grumps,heavyheartedness,hymeneal,lay,lied,lilt,love song,love-lilt,matin,megrims,melancholia,melancholy,minstrel song,minstrelsy,mopes,mulligrubs,mumps,national anthem,old-time country music,pouts,prothalamium,serena,serenade,serenata,song,sulks,sullens,the blues,theme song,torch song,unhappiness,war song,wedding song,western swing 2672 - bluestocking,bibliophagic,book-fed,book-learned,book-loving,book-minded,book-read,book-wise,bookish,booky,donnish,formalist,inkhorn,literary,pedant,pedantic,precieuse,precieux,precisian,precisionist,purist,scholastic 2673 - bluff,Herod,abrupt,act,act a part,acting,affable,affect,affectation,aggressive,appearance,approachable,artful dodge,artifice,artless,assume,attitudinizing,bag of tricks,bamboozle,barefaced,bearish,beastly,beguile,betray,biggety,blagueur,blatherskite,blind,bluff off,bluffer,bluffing,blunt,blunt-edged,blunt-ended,blunt-pointed,blunted,bluntish,bluster,bluster and bluff,blusterer,blustering,boastfulness,boasting,bold,bombast,born yesterday,bosey,bounce,brag,braggart,bragging,brash,bravado,bravo,breakneck,brief,broad,brusque,bucko,bullshit,bully,bullyboy,bullying,bustle,cajole,candid,catch,cavalier,charlatan,cheat on,cheating,cheeky,chicanery,childlike,chouse,churlish,chutzpadik,circumvent,cliff,cocky,color,coloring,confiding,conjure,contemptuous,counterfeit,cover up,cozen,crag,crude,crusty,curt,curve,curve-ball,deceive,deception,delude,delusion,derisive,design,device,diddle,direct,dirty deal,dirty trick,disguise,disrespectful,dissemblance,dissemble,dissembling,dissimulate,dissimulation,dodge,double-cross,downright,dull,dull-edged,dull-pointed,dulled,dullish,dupe,edgeless,escarpment,explicit,facade,face,facy,faired,fake,faker,fakery,faking,false air,false front,false show,falsity,fanfaron,fanfaronade,fast deal,feign,feigning,feint,fetch,ficelle,flip,flippant,flurry,fluster,fool,forestall,forthright,four-flush,four-flushing,fourflusher,frank,frankhearted,fraud,free,free-speaking,free-spoken,free-tongued,fresh,friendly,frighten off,front,fuss,gally,gambit,gammon,gasconade,genuine,get around,gilt,gimmick,gloss,good-natured,googly,gratuitous,gruff,guileless,gull,harsh,headland,headlong,heart-to-heart,hearty,hector,hectorer,hectoring,hoax,hocus-pocus,honest,hoodwink,hornswaggle,hot air,humbug,humbuggery,impersonator,impertinent,impostor,imposture,impudent,ingenu,ingenuous,innocent,intimidate,intimidation,joke,joker,juggle,kid,laconic,let down,let on,let on like,make a pretense,make as if,make believe,make like,malapert,malingerer,masquerade,meretriciousness,mislead,mock,mountebank,naive,nervy,no-nonsense,obtuse,open,openhearted,ostentation,out-herod Herod,outmaneuver,outreach,outsmart,outspoken,outward show,outwit,overreach,palisade,palisades,pass,pert,phony,pigeon,plain,plain-spoken,plainspoken,play,play a part,play one false,play possum,playact,playacting,ploy,plunging,pointless,pose,poser,poseur,posing,posture,precipice,precipitous,pretend,pretender,pretense,pretension,pretext,profess,promontory,puffery,put on,put something over,put to flight,quack,quacksalver,quackster,rage,rant,ranter,rapid,rave,raver,representation,ringer,rodomontade,roister,roisterer,rollick,rough,round,rounded,rude,ruse,saltimbanco,sassy,saucy,scar,scare away,scarp,scheme,scurvy trick,seeming,semblance,severe,sham,shammer,sharp,sheer,shift,short,show,side,simple,simplehearted,simpleminded,simulacrum,simulate,simulation,sincere,single-hearted,single-minded,slang,sleight,sleight of hand,sleight-of-hand trick,smart,smart-alecky,smart-ass,smoothed,snippety,snippy,snow,speciousness,splutter,sputter,steep,storm,straight,straight-out,straightforward,stratagem,string along,subterfuge,surly,swagger,swaggerer,swashbuckle,swashbuckler,swashbucklery,swasher,tactless,take in,tart,terse,to the point,transparent,trick,truculent,trustful,trusting,two-time,uncalled-for,unchecked,unconstrained,unedged,unequivocal,unguarded,unpointed,unreserved,unrestrained,unsharp,unsharpened,unsophisticated,unsuspicious,unwary,vapor,vaporer,varnish,vertical,wall,wile,window dressing,wise-ass 2674 - blunder upon,alight upon,be all thumbs,blunder,blunder away,blunder into,blunder on,boggle,botch,bumble,bump into,bungle,butcher,chance upon,come across,come on,come up against,come upon,commit a gaffe,discover serendipitously,encounter,fall in with,faux pas,flounder,fumble,happen upon,hit upon,light upon,lumber,mar,meet up with,meet with,miscue,muddle,muff,murder,play havoc with,run across,run into,run up against,slip,spoil,stumble,stumble on,stumble upon,trip,tumble on 2675 - blunder,absurdity,act of folly,bad job,be all thumbs,bevue,blooper,blow,blunder away,blunder into,blunder on,blunder upon,bobble,boggle,bollix,bonehead play,boner,boo-boo,botch,bull,bumble,bungle,butcher,careen,career,clumsy performance,commit a gaffe,dumb trick,err,error,etourderie,falter,faux pas,flounce,flounder,flub,fluff,folly,foozle,fumble,gaffe,gaucherie,goof,goof up,gum up,hash,howler,imprudence,indiscretion,labor,lapse,louse up,lumber,lurch,make a blunder,make a misstep,mar,mess,miscue,miss,miss the mark,misspeak,mistake,muddle,muff,murder,off day,pitch,pitch and plunge,play havoc with,plunge,reel,rock,roll,sad work,screw up,screw-up,seethe,slip,slip up,snapper,solecism,sottise,spoil,stagger,struggle,stumble,stupid thing,stupidity,sway,swing,thrash about,toss,toss and tumble,toss and turn,totter,trip,tumble,unwise step,wallop,wallow,welter 2676 - blunderhead,addlebrain,addlehead,addlepate,beefhead,blockhead,blubberhead,blunderer,bonehead,boor,botcher,bufflehead,bumbler,bungler,cabbagehead,chowderhead,chucklehead,clod,clodhead,clodhopper,clodknocker,clodpate,clodpoll,clot,clown,dolt,dolthead,dullhead,dumbhead,dunderhead,dunderpate,fathead,fumbler,gawk,gowk,jolterhead,jughead,klutz,knucklehead,looby,lout,lubber,lunkhead,meathead,muddlehead,mushhead,muttonhead,noodlehead,numskull,oaf,ox,peabrain,pinbrain,pinhead,puddinghead,pumpkin head,puzzlehead,slouch,slubberer,stupidhead,thickhead,thickskull,tottyhead,yokel 2677 - blunderheaded,all thumbs,awkward,beetleheaded,blockheaded,blundering,boneheaded,boorish,bumbling,bungling,butterfingered,cabbageheaded,careless,chowderheaded,chuckleheaded,clodpated,clownish,clumsy,clumsy-fisted,cumbersome,dumbheaded,dunderheaded,fatheaded,fingers all thumbs,fumbling,gauche,gawkish,gawky,graceless,ham-fisted,ham-handed,heavy-handed,hulking,hulky,inelegant,jolterheaded,joltheaded,knuckleheaded,left-hand,left-handed,loutish,lubberly,lumbering,lumpish,lunkheaded,maladroit,muttonheaded,nitwitted,numskulled,oafish,ponderous,pumpkin-headed,sapheaded,sloppy,stiff,stupidheaded,uncouth,ungainly,ungraceful,unhandy,unwieldy,woodenheaded 2678 - blunt,KO,abate,abrupt,affectless,aggressive,allay,alleviate,anesthetize,anesthetized,arctic,artless,assuage,attemper,attenuate,autistic,bank the fire,bate,bearish,beastly,bedaze,benumb,besot,bluff,blunt-edged,blunt-ended,blunt-pointed,blunt-witted,blunted,bluntish,blur,born yesterday,brash,brass,bread,brief,broad,brusque,cabbage,candid,catatonic,cavalier,chasten,childlike,chill,chilly,chips,chloroform,churlish,cold,cold as charity,cold-blooded,coldcock,coldhearted,confiding,constrain,control,cool,cramp,cripple,crusty,curt,damp,dampen,de-emphasize,deaden,debilitate,deflect,desensitize,deter,devitalize,dim,dim-witted,diminish,dinero,direct,disable,disaffect,discourage,discourteous,disedge,disincline,disinterest,dispassionate,distract,divert,do-re-mi,dope,dopey,downplay,downright,draw the teeth,drug,drugged,dull,dull of mind,dull-edged,dull-headed,dull-pated,dull-pointed,dull-witted,dulled,dullish,edgeless,efface,emotionally dead,emotionless,enervate,enfeeble,etherize,eviscerate,exhaust,explicit,extenuate,faired,fat-witted,forthright,frank,frankhearted,free,free hand,free-acting,free-going,free-moving,free-speaking,free-spoken,free-tongued,freehanded,freeze,frigid,frosted,frosty,frozen,genuine,gross-headed,gruel,gruff,guileless,harsh,heart-to-heart,heartless,heavy,hebetate,hebetudinous,icy,immovable,impassible,impassive,impolite,inconsiderate,indelicate,indispose,inexcitable,ingenu,ingenuous,innocent,insensitive,insusceptible,jack,kayo,keep within bounds,knock out,knock senseless,knock stiff,knock unconscious,lay,lay low,lay out,lenify,lessen,lighten,mitigate,moderate,modulate,mollify,mull,naive,narcotize,nonemotional,numb,objective,obscure,obtund,obtuse,open,openhearted,out of touch,outspoken,palliate,palsy,paralyze,passionless,plain,plain-spoken,play down,pointless,put off,put to sleep,quench,rattle,reduce,reduce the temperature,repel,repress,restrain,retund,rough,round,rounded,rude,sap,self-absorbed,severe,shake,shake up,sharp,short,simple,simplehearted,simpleminded,sincere,single-hearted,single-minded,slacken,slow,slow down,slow-witted,sluggish,smoothed,smother,snippety,snippy,sober,sober down,soften,soften up,soothe,soulless,spiritless,stifle,straight,straight-out,straightforward,stun,stupefy,subdue,suppress,surly,tame,temper,thick-brained,thick-headed,thick-pated,thick-witted,thickskulled,thoughtless,tone down,transparent,truculent,trustful,trusting,tune down,turn,turn aside,turn away,turn from,turn off,unaffectionate,unbrace,unceremonious,unchecked,uncivil,uncomplicated,uncompromising,unconstrained,undermine,underplay,undiplomatic,unedged,unemotional,unequivocal,unfeeling,ungracious,unguarded,unimpassioned,unimpressionable,unloving,unman,unnerve,unpassionate,unpointed,unreserved,unresponding,unresponsive,unrestrained,unsharp,unsharpened,unsophisticated,unstrengthen,unstring,unsusceptible,unsuspicious,unsympathetic,untouchable,unwary,weaken,wean from,wooden,worn 2679 - blunted,abrupt,bluff,blunt,blunt-edged,blunt-ended,blunt-pointed,bluntish,dull,dull-edged,dull-pointed,dulled,dullish,edgeless,faired,obtuse,pointless,rounded,smoothed,unedged,unpointed,unsharp,unsharpened 2680 - blur,aspersion,attaint,badge of infamy,bar sinister,baton,becloud,bedaub,bedim,befog,bend sinister,besmear,besmirch,besmoke,bestain,black eye,black mark,blacken,blear,bleariness,bloodstain,blot,blotch,blur distinctions,blurriness,brand,broad arrow,censure,champain,cloud,cloudiness,conceal,confound,confuse,dab,darken,darkness,daub,defocus,deform,dim,dimness,dirty,discolor,disorder,disparagement,distort,efface,eyesore,faintness,feebleness,film,filminess,fleck,flick,flyspeck,fog,fog up,fogginess,fuzz,fuzziness,half-visibility,haze,haziness,hide,imputation,indefiniteness,indistinctness,indistinguishability,jumble,jumble together,lose resolution,low profile,macula,maculation,macule,mark,mark of Cain,mask,mess up,mist,mistiness,mix,muddle,muddy,obfuscate,obscure,obscurity,odium,onus,overlook distinctions,pale,paleness,patch,pillorying,point champain,reflection,reprimand,reproach,scorch,sear,semivisibility,shadowiness,singe,slubber,slur,smear,smirch,smoke,smouch,smudge,smut,smutch,soft focus,soften,soil,spatter,speck,speckle,splash,splatter,splotch,spot,stain,stigma,stigmatism,stigmatization,stigmatize,taint,tar,tarnish,tumble,uncertainty,unclearness,unform,unplainness,unshape,vague appearance,vagueness,veil,weaken,weakness 2681 - blurb,PR,acknowledgment,appreciation,ballyhoo,boost,bright light,buildup,celebrity,commendation,common knowledge,cry,currency,daylight,eclat,exposure,fame,famousness,glare,good word,honorable mention,hoopla,hue and cry,hype,limelight,maximum dissemination,notoriety,plug,press notice,promotion,public eye,public knowledge,public relations,public report,publicity,publicity story,publicness,puff,puffing,reclame,recognition,report,spotlight,write-up 2682 - blurred,aleatoric,aleatory,amorphic,amorphous,anarchic,baggy,blear,bleared,bleary,blobby,blurry,breathy,broad,chance,chancy,chaotic,characterless,choked,choking,confused,croaking,dark,dim,disordered,disorderly,drawling,drawly,dysphonic,faint,featureless,feeble,filmy,foggy,formless,fuzzy,general,guttural,half-seen,half-visible,harsh,hawking,hazy,hit-or-miss,hoarse,ill-defined,imprecise,inaccurate,inarticulate,inchoate,incoherent,inconspicuous,indecisive,indefinable,indefinite,indeterminable,indeterminate,indistinct,indistinguishable,inexact,inform,kaleidoscopic,lax,lisping,loose,low-profile,lumpen,merely glimpsed,mispronounced,misty,muzzy,nasal,nondescript,nonspecific,obscure,orderless,out of focus,pale,quavering,random,semivisible,shadowed forth,shadowy,shaking,shaky,shapeless,snuffling,stifled,stochastic,strangled,sweeping,thick,throaty,tremulous,twangy,uncertain,unclear,undefined,undestined,undetermined,unordered,unorganized,unplain,unrecognizable,unspecified,vague,veiled,velar,weak 2683 - blurt,allude to,babble,be indiscreet,be unguarded,betray,betray a confidence,blab,blabber,blurt out,burst out,call attention to,comment,disclose,divulge,ejaculate,exclaim,give away,inform,inform on,interject,leak,let drop,let fall,let slip,make reference to,mention,muse,note,observe,opine,peach,rat,refer to,reflect,remark,reveal,reveal a secret,sing,speak,spill,spill the beans,squeal,stool,talk,tattle,tattle on,tell on,tell secrets,tell tales,utter 2684 - blush,be guilty,blanch,bloom,blossom,blushing,change color,color,color up,coloring,crimson,crimsoning,darken,fieriness,flame,flush,flushing,glow,grow red,healthy glow,hectic,hectic flush,incandescence,look black,look guilty,mantle,mantling,pale,pink,pudency,pudicity,redden,reddening,redness,rose,rosiness,rouge,rubefacient,rubescence,rufescence,squirm with self-consciousness,stammer,suffusion,turn color,turn pale,turn red,warm color,warmth,warmth of color,whiten,whiteness 2685 - bluster,agitation,bawl,be livid,be pissed,bellow,blast,blow,blow a hurricane,blow great guns,blow over,blow up,bludgeon,bluff,bluster and bluff,bluster out of,boast,boastfulness,boasting,bobbery,boil,boiling,bombast,bounce,brag,braggadocio,braggartism,bragging,bravado,brawl,breeze,breeze up,brew,broil,brouhaha,browbeat,browned off,bulldoze,bully,bullyrag,burn,bustle,cacophony,carry on,chafe,chaos,churn,clamor,come up,commotion,conceit,conturbation,cow,crow,demoralize,discomposure,disorder,disquiet,disquietude,disturbance,dragoon,draw the longbow,ebullition,embroilment,excitement,fanaticism,fanfaronade,ferment,fermentation,fever,feverishness,fidgets,flap,flourish,flurry,fluster,flutteration,foment,fomentation,foofaraw,frenzy,freshen,fret,fume,furor,furore,fury,fuss,gasconade,gasconism,gather,go on,grandiloquence,harangue,harass,have a conniption,hector,heroics,hot air,hubbub,huff,hurly-burly,inquietude,intimidate,jactation,jactitation,jitters,jumpiness,look big,maelstrom,malaise,moil,nerviness,nervosity,nervousness,out-herod Herod,pandemonium,passion,perturbation,pipe up,pissed off,puff,puffery,racket,rage,raging,raise Cain,raise hell,raise the devil,raise the roof,rant,rant and rave,rave,raving,restlessness,rodomontade,roil,roister,rollick,rout,row,ruckus,rumpus,seethe,seething,set in,show off,side,simmer,sizzle,slang,smoke,smolder,speak for Buncombe,splutter,sputter,squall,stew,stir,storm,storminess,storming,strut,swagger,swaggering,swashbuckle,swirl,systematically terrorize,take on,talk big,tempestuousness,terrorize,threaten,throw a fit,to-do,trepidation,trepidity,tumult,tumultuation,tumultuousness,turbidity,turbulence,turmoil,twitter,unease,unrest,uproar,upset,vanity,vapor,vaunt,vauntery,vaunting,waft,whiff,whiffle,wildness,zeal,zealousness 2686 - blustering,abusive,aeolian,airish,airy,anarchic,angry,blaring,blasty,blatant,blatting,blowy,bludgeoning,blusterous,blustery,boisterous,boreal,brassy,brawling,brazen,breezy,brisk,browbeating,bulldozing,bullying,chaotic,clamant,clamorous,clamoursome,clanging,clangorous,clattery,coarse,comminatory,denunciatory,drafty,favonian,fear-inspiring,flawy,foreboding,frantic,frenzied,fresh,furious,gusty,hectoring,hellish,imminent,infuriate,insensate,intimidating,lowering,mad,mafficking,menacing,minacious,minatory,mindless,noiseful,noisy,obstreperous,ominous,orgasmic,orgastic,pandemoniac,puffy,rackety,raging,ranting,ravening,raving,rip-roaring,roistering,roisterous,rollicking,rough,rowdy,squally,storming,stormy,strepitant,strepitous,swaggering,swashbuckling,swashing,tempestuous,terroristic,terrorizing,threatening,threatful,troublous,tumultuous,turbulent,uproarious,vociferous,wild,windy 2687 - BM,bloody flux,bowel movement,buffalo chips,ca-ca,catharsis,coprolite,coprolith,cow chips,cow flops,cow pats,crap,defecation,dejection,diarrhea,dingleberry,droppings,dung,dysentery,evacuation,feces,feculence,flux,guano,jakes,lientery,loose bowels,manure,movement,night soil,ordure,purgation,purge,runs,sewage,sewerage,shit,shits,stool,trots,turd,turistas,voidance 2688 - BO,bad breath,bad smell,beaded brow,beads of sweat,body odor,cold sweat,diaphoresis,exudate,exudation,fetidity,fetidness,fetor,foul breath,foul odor,frowst,graveolence,halitosis,honest sweat,lather,malodor,mephitis,miasma,nidor,noxious stench,offensive odor,perspiration,perspiration odor,reek,reeking,rotten smell,stench,stench of decay,stink,streams of sweat,sudor,sudoresis,sweat,swelter,water 2689 - boar,barrow,billy,billy goat,bubbly-jock,buck,bull,bullock,chanticleer,cock,cockerel,dog,drake,entire,entire horse,gander,gilt,gobbler,hart,he-goat,hog,peacock,pig,piggy,piglet,pigling,porker,ram,razorback,rooster,shoat,sow,stag,stallion,steer,stot,stud,studhorse,suckling pig,swine,tom,tom turkey,tomcat,top cow,top horse,tup,turkey gobbler,turkey-cock,tusker,wether,wild boar 2690 - board,American Stock Exchange,Amex,Areopagus,British Cabinet,C ration,K ration,L,R,Sanhedrin,US Cabinet,Wall Street,aboard,accommodate,accommodation,accommodations,acting area,advisers,advisory body,allotment,allowance,ambo,apron,apron stage,assembly,association,back,backstage,band shell,bandstand,bank,bar,beam,bed,bed and board,bench,bestow,bestraddle,bestride,billet,board and room,board of directors,board of regents,board of trustees,boarding,body of advisers,boom,border,bordure,borough council,bourse,brain trust,bread,bread and butter,break bread with,breakfast,brick,bridge,brim,brink,brow,buffet,cabinet,cadre,camarilla,care for,cast loose,chamber,cheer,cherish,city council,clap on ratlines,clapboard,clear hawse,climb on,coast,college board,comestibles,committee,commodity exchange,common council,commons,conference,congress,consultative assembly,cook out,cord,cordwood,corn pit,coulisse,council,council fire,council of ministers,council of state,council of war,counter,county council,court,creature comfort,cuisine,curb,curb exchange,curb market,curia,cut loose,daily bread,deal,deliberative assembly,desk,diet,dine,dine out,dinner,directorate,directors,directorship,directory,divan,dock,domicile,dressing room,driftwood,eat,eat out,eatables,edge,edibles,embark,embark on,embus,emergency rations,emplane,enplane,enter,entertain,entertainment,entrain,escalade,escritoire,exchange,exchange floor,executive arm,executive committee,executive hierarchy,face,facilities,fare,fast food,feast,featheredge,feed,field rations,firewood,flange,flies,fly floor,fly gallery,fodder,food,food and drink,foodstuff,footlights,forage,foray,forestage,forum,frame,fringe,furnish accommodations,get in,get on,glass,glaze,go aboard,go on board,go on shipboard,governing board,governing body,grass,gratify,graze,greenroom,grid,gridiron,hardwood,haul,haul down,health food,heave,heave apeak,heave round,heave short,hem,hop in,house,hut,infrastructure,ingesta,inquisition,inroad,interlocking directorate,inundate,invade,judicatory,judicature,judiciary,jump in,junk food,junta,kedge,keep,kitchen cabinet,kitchen stuff,labellum,labium,labrum,lath,lathing,lathwork,lay,lay aloft,lectern,ledge,legislature,lightboard,limb,limbus,lip,list,live,lodge,lodgings,log,lumber,lunch,mahogany,make a raid,make an inroad,management,marge,margin,meal,meals,meat,mess,mess with,mount,nurture,on,on board,orchestra,orchestra pit,outside market,over-the-counter market,overwhelm,panel,panelboard,paneling,panelwork,paper,parish council,pasture,performing area,picnic,pile in,pit,plank,planking,plyboard,plywood,pole,post,privy council,proscenium,proscenium stage,provender,provision,provisions,puncheon,put to sea,put up,quarter,quotation board,ragged edge,raid,rations,ratline down,refection,refreshment,regale,regalement,repas,repast,revet,rim,room,satisfy,scale,school board,secretaire,secretary,selvage,shake,sheathe,sheathing,sheathing board,sheeting,shell,shingle,shore,short commons,side,sideboard,sideline,siding,skirt,slab,slat,slate,softwood,soviet,spar down,splat,spread,staff,stage,stage left,stage right,stand,stave,stay,steering committee,stick,stick of wood,stock exchange,stock market,stock ticker,stone,storm,stovewood,stream the log,subsistence,sup,sustain,sustenance,switchboard,syndicate,synod,table,take by storm,take ship,telephone market,tend,thatch,the Big Board,the Exchange,the Inquisition,the administration,the boards,the brass,the executive,the people upstairs,the stage,theater,third market,three-by-four,ticker,ticker tape,tile,timber,timbering,timberwork,top brass,traverse a yard,treat,tribunal,trustees,tucker,two-by-four,unlash,veneer,verge,viands,victuals,vittles,wall in,wall up,wallpaper,warp,weatherboard,weigh anchor,wheat pit,wine and dine,wings,wood,workbench,writing table 2691 - boarder,Brillat-Savarin,Lucullus,board-and-roomer,bon vivant,cannibal,carnivore,connoisseur of food,consumer,diner,diner-out,eater,eater-out,epicure,feeder,flesh-eater,fruitarian,gastronome,glutton,gourmand,gourmet,grain-eater,graminivore,granivore,herbivore,high liver,hungry mouth,lactovegetarian,lessee,lodger,luncher,man-eater,meat-eater,mouth,omnivore,omophagist,pantophagist,paying guest,phytophage,picnicker,plant-eater,predacean,renter,roomer,tenant,transient,transient guest,trencherman,underlessee,vegetarian 2692 - boardinghouse,dorm,dormitory,doss house,fleabag,flophouse,guest house,hospice,hostel,hostelry,hotel,inn,lodging house,ordinary,pension,posada,pub,public,public house,roadhouse,rooming house,tavern 2693 - boards,Broadway,L,R,acting area,apron,apron stage,backstage,band shell,bandstand,board,bridge,burlesque,carnival,circus,coulisse,dock,drama,dressing room,entertainment industry,flies,fly floor,fly gallery,forestage,greenroom,grid,gridiron,legit,legitimate stage,lightboard,off Broadway,off-off-Broadway,orchestra,orchestra pit,performing area,pit,playland,proscenium,proscenium stage,repertory drama,shell,show biz,show business,stage,stage left,stage right,stage world,stagedom,stageland,stock,strawhat,strawhat circuit,summer stock,switchboard,the boards,the footlights,the scenes,the stage,the theater,theater world,theatromania,theatrophobia,variety,vaudeville,wings 2694 - boardwalk,alameda,beaten path,beaten track,berm,bicycle path,bridle path,catwalk,esplanade,fastwalk,foot pavement,footpath,footway,garden path,groove,hiking trail,mall,parade,path,pathway,prado,promenade,public walk,run,runway,rut,sidewalk,towing path,towpath,track,trail,trottoir,walk,walkway 2695 - boast of,adulate,apotheosize,belaud,bepraise,bless,blow up,brag about,celebrate,cry up,deify,emblazon,eulogize,exalt,extol,flatter,glorify,hero-worship,idolize,laud,lionize,magnify,make much of,overpraise,panegyrize,pay tribute,porter aux nues,praise,puff,puff up,salute,trumpet 2696 - boast,aggrandize,be enfeoffed of,be possessed of,be seized of,blow,bluster,boastfulness,boasting,bombast,bounce,brag,braggadocio,braggartism,bragging,bravado,bully,catch,claim,cock-a-doodle-doo,command,conceit,crow,diamond,draw the longbow,ego-trip,enjoy,exalt,fanfaronade,fill,find,fish for compliments,flaunt,flourish,gasconade,gasconism,gem,glory,godsend,good thing,gush,have,have and hold,have in hand,have no self-doubt,have tenure of,heroics,hold,jactation,jactitation,jewel,know it all,mouth,occupy,parade,pearl,pique,plum,plume,possess,prate,preen,pride,pride and joy,prize,puff,quack,rodomontade,ruffle,show off,side,speak for Buncombe,squat,squat on,swagger,swash,swashbuckle,talk big,treasure,triumph,trophy,trouvaille,usucapt,vanity,vapor,vaunt,vauntery,vaunting,windfall,winner 2697 - boastful,Gascon,arrogant,boasting,braggart,bragging,cock-a-hoop,conceited,egotistical,exultant,fanfaron,fanfaronading,gasconading,haughty,ostentatious,pretentious,proud,rodomontade,self-advertising,self-aggrandizing,self-applauding,self-flattering,self-glorious,self-lauding,self-vaunting,show-off,swelled-headed,thrasonic,thrasonical,vain,vainglorious,vaporing,vaunting 2698 - boat,almadia,argosy,ark,auto,autocar,automobile,auxiliary,barge,bark,bottom,bucket,buggy,bus,buss,canoe,car,cargo boat,carry sail,cart,cat,catamaran,circumnavigate,coach,coast,cockle,cockleshell,cog,coracle,craft,crate,cross,cruise,cruiser,cutter,dinghy,dispatch boat,dray,drifter,dugout,ferry,ferryboat,fishing boat,float,funny,galley,gig,glider,go by ship,go on shipboard,go to sea,gondola,haul,heap,hooker,houseboat,hoy,hulk,hull,hydrofoil,hydroplane,jalopy,jolly,jolly boat,kayak,keel,knockabout,launch,leviathan,lifeboat,lighter,longboat,machine,mailer,make a passage,motor,motor vehicle,motorboat,motorcar,motorized vehicle,navigate,outboard,outrigger canoe,packet,pilot,pilot boat,pinnace,piragua,pirogue,ply,pontoon,post boat,pram,punt,racer,racing shell,raft,randan,row,rowboat,rowing boat,run,runabout,sail,sail round,sail the sea,sailboat,sampan,scooter,scow,scull,seafare,shallop,shell,ship,showboat,skiff,sled,sledge,small boat,sneakbox,speedboat,steam,steamboat,surfboat,take a voyage,towboat,traverse,trawlboat,trawler,trimaran,trow,truck,tub,tug,tugboat,van,vessel,voiture,voyage,wagon,wanigan,watercraft,whale-gig,whaleboat,wheelbarrow,wheels,wherry,wreck,yacht,yawl,yawl boat 2699 - boating,canoeing,circumnavigation,coasting,cruising,gunkholing,motorboating,navigability,navigating,navigation,passage-making,periplus,rowing,sailing,sculling,sea travel,seafaring,steaming,travel by water,voyaging,water travel,yachting 2700 - boatman,bargee,bargeman,barger,boat-handler,boater,boatsman,ferrier,ferryman,galley slave,gondolier,lighterman,oar,oarsman,punter,rower,waterman,yachter,yachtsman 2701 - boatswain,Big Brother,OD,auditor,boss,captain,chief,chief engineer,chief mate,commander,comptroller,controller,deck officer,floor manager,floorman,floorwalker,foreman,gaffer,ganger,head,headman,inspector,master,mate,monitor,naval officer,navigating officer,navigator,noncommissioned officer,overman,overseer,patron,pipes,proctor,quartermaster,sailing master,second mate,shipmaster,sirdar,skipper,slave driver,straw boss,subforeman,super,superintendent,supervisor,surveyor,taskmaster,the Old Man,visitor,watch officer 2702 - boatyard,armory,arsenal,assembly line,assembly plant,atomic energy plant,bindery,boilery,bookbindery,brewery,brickyard,cannery,creamery,dairy,defense plant,distillery,dockyard,factory,factory belt,factory district,feeder plant,flour mill,industrial park,industrial zone,main plant,manufactory,manufacturing plant,manufacturing quarter,mill,mint,munitions plant,oil refinery,packing house,plant,pottery,power plant,production line,push-button plant,refinery,sawmill,shipyard,subassembly plant,sugar refinery,tannery,winery,yard,yards 2703 - bob up,accomplish,achieve,appear unexpectedly,approach,arrive,arrive at,arrive in,attain,attain to,be received,be unexpected,blow in,break forth,break water,burst forth,check in,clock in,come,come in,come to,come to hand,come unawares,come upon,creep up on,debouch,erupt,fall upon,fetch,fetch up at,find,flare up,flash,flash upon one,float up,fly up,fountain,gain,get in,get there,get to,gleam,gush,hit,hit town,irrupt,jet,jump up,leap up,make,make it,pop up,pounce upon,pull in,punch in,reach,ring in,rocket,roll in,shoot up,show up,sign in,skyrocket,spring up,spurt,start up,surface,time in,turn up,upleap,upshoot,upspear,upspring,upstart,vault up 2704 - bob,Carling float,T square,abbreviate,abridge,abscind,abstract,accost,address,amputate,angle,annihilate,bait the hook,balsa,balsa raft,ban,bar,barber,bawbee,bend,bend the knee,bend the neck,bending the knee,bis,bob a curtsy,bob down,bobble,boil down,boom,bounce,bow,bow and scrape,bow down,bow the head,bowing and scraping,bump,buoy,burden,caper,capriole,capsulize,caracole,careen,cavort,chant,chatter,chorus,clam,clip,coggle,coif,coiffure,compress,condense,conk,contract,cork,crop,crouch,crown,cull,curtail,curtsy,curvet,cut,cut a dido,cut away,cut back,cut capers,cut down,cut off,cut off short,cut out,cut short,dangle,dap,dib,dibble,didder,dipping the colors,dither,ditto,dock,dollar,drive,duck,elide,eliminate,embrace,enucleate,epitomize,eradicate,except,excise,exclude,extinguish,extirpate,fall down before,falter,farthing,fish,fiver,flick,flip,flirt,float,florin,flounce,fluctuate,flutter,fly-fish,foreshorten,fourpence,fourpenny,frisk,gambado,gambol,genuflect,genuflection,gig,go fishing,greeting,grig,grimace,groat,guddle,guinea,hail,half crown,half dollar,halfpenny,hand-clasp,handshake,have an ague,hello,hitch,homage,how-do-you-do,hug,hustle,inclination,isolate,jack,jacklight,jactitate,jar,jerk,jig,jigget,jiggle,jog,joggle,jolt,jostle,jounce,jump,jump about,kiss,kneel,kneeling,knock,knock off,kowtow,lead,librate,life buoy,life preserver,life raft,lop,lurch,mag,make a leg,make a reverence,make obeisance,making a leg,meg,mite,monkey,mow,mutilate,net,new pence,nip,nod,np,nutate,obeisance,obsequiousness,oscillate,p,pare,peel,pence,pendulate,penny,pick out,pitch,pluck,plumb,plumb bob,plumb line,plumb rule,plummet,poll,pollard,pompadour,pontoon,pony,pound,prance,presenting arms,process,prostration,prune,quake,quaver,quid,quiver,raft,ramp,rap,reap,recap,recapitulate,reduce,reel,refrain,repeat,repetend,resonate,retrench,reverence,rictus,ritornello,rock,roll,romp,root out,rule out,salaam,salutation,salute,sandbag,scrape,seine,servility,set apart,set aside,set square,shake,shave,shear,shilling,shingle,shiver,shock,shorten,shrimp,shudder,sinker,sixpence,skip,smile,smile of recognition,snatch,snub,spin,square,squat,stamp out,standing at attention,start,still-fish,stoop,strike off,strip,strip off,stunt,submission,submissiveness,sudden pull,sum up,summarize,supination,surfboard,swag,sway,swing,synopsize,take in,take off,take out,telescope,tenner,threepence,threepenny bit,thrippence,tic,torch,toss,trawl,tremble,tremor,trim,trip,troll,truncate,try square,tunk,tuppence,tweak,twitch,twitter,twopence,undersong,vacillate,vibrate,wag,waggle,wave,waver,weight,whale,wipe out,wobble,wrench,yank,yerk 2705 - bobble,bad job,bevue,bitch,bitch up,bloomer,blooper,blow,blunder,bob,boggle,bollix,bonehead into it,bonehead play,boner,boo-boo,boob stunt,boot,botch,bounce,bugger,bugger up,bump,bungle,careen,chatter,clumsy performance,cobble,coggle,dangle,didder,dither,drop a brick,drop the ball,duff,dumb trick,error,etourderie,falter,flub,fluctuate,fluff,flutter,fool mistake,foozle,foul up,foul-up,fumble,gaucherie,goof,goof up,grimace,gum up,hash,hash up,have an ague,howler,hustle,jactitate,jar,jerk,jig,jigget,jiggle,jog,joggle,jolt,jostle,jounce,jump,librate,louse up,louse-up,lurch,mess,mess up,miscue,mistake,muck up,muck-up,muff,nutate,off day,oscillate,pendulate,pitch,pratfall,pull a boner,quake,quaver,quiver,reel,resonate,rictus,rock,roll,sad work,screamer,screw up,screw-up,shake,shiver,shock,shudder,slip,stumble,swag,sway,swing,tic,toss,tremble,tremor,trip,twitch,twitter,vacillate,vibrate,wag,waggle,wave,waver,wobble 2706 - bobby,Dogberry,John Law,bluebottle,bluecoat,bull,constable,cop,copper,dick,flatfoot,flattie,gendarme,gumshoe,officer,paddy,peeler,pig,shamus,the cops,the fuzz,the law 2707 - bode,apprehend,augur,betoken,croak,forebode,foreshadow,foreshow,foretoken,forewarn,have a premonition,have a presentiment,look black,lower,menace,omen,portend,preapprehend,presage,promise,threaten,warn 2708 - bodega,appetizing store,bakery,bakeshop,butcher shop,creamery,dairy,deli,delicatessen,food shop,food store,fruit stand,grocery,grocery store,groceteria,health food store,meat market,pork store,superette,supermarket,vegetable store 2709 - bodiless,airy,asomatous,astral,decarnate,decarnated,discarnate,disembodied,ethereal,extramundane,ghostly,immaterial,impalpable,imponderable,incorporate,incorporeal,insubstantial,intangible,nonmaterial,nonphysical,nonsubstantial,occult,otherworldly,phantom,psychic,shadowy,spiritual,supernatural,transmundane,unconcrete,unearthly,unembodied,unextended,unfleshly,unphysical,unsolid,unsubstanced,unsubstantial,unworldly,weightless 2710 - bodily,Adamic,Circean,across the board,all,all put together,altogether,animal,animalistic,as a body,as a whole,at large,atavistic,beastlike,beastly,bestial,born,brutal,brute,brutish,carnal,carnal-minded,coarse,coeval,collectively,congenital,connatal,connate,connatural,constitutional,corporal,corporately,corporeal,earthly,earthy,en bloc,en masse,entirely,fallen,fleshly,genetic,gross,hereditary,hylic,in a body,in all,in all respects,in bulk,in its entirety,in person,in propria persona,in the aggregate,in the blood,in the flesh,in the gross,in the lump,in the mass,in toto,inborn,inbred,incarnate,indigenous,inherited,innate,instinctive,instinctual,lapsed,material,materialistic,materiate,native,native to,natural,natural to,nonspiritual,on all counts,organic,orgiastic,personally,physical,postlapsarian,primal,secular,sensual,somatic,substantial,swinish,temperamental,temporal,totally,tout ensemble,unspiritual,wholly,worldly 2711 - body build,anatomy,body,brand,build,cast,character,characteristic,characteristics,complexion,composition,constituents,constitution,crasis,dharma,diathesis,disposition,ethos,fiber,figure,form,frame,genius,grain,habit,hue,humor,humors,ilk,kind,makeup,mold,nature,person,physique,property,quality,shape,somatotype,sort,spirit,stamp,streak,stripe,suchness,system,temper,temperament,tendency,tenor,tone,type,vein,way 2712 - body count,account,accounts,bill of mortality,capitulation,casualty list,census,count,death roll,head count,inventory,martyrology,mortuary roll,necrologue,necrology,nose count,obit,obituary,recapitulation,reckoning,recount,recounting,register of deaths,rehearsal,repertory,statement,summary,summation,summing,summing up 2713 - body language,bearing,beck,beckon,carriage,charade,chironomy,dactylology,deaf-and-dumb alphabet,dumb show,gesticulation,gesture,gesture language,hand signal,kinesics,motion,movement,pantomime,poise,pose,posture,shrug,sign language,stance 2714 - body odor,BO,bad breath,bad smell,beaded brow,beads of sweat,cold sweat,diaphoresis,exudate,exudation,fetidity,fetidness,fetor,foul breath,foul odor,frowst,graveolence,halitosis,honest sweat,lather,malodor,mephitis,miasma,nidor,noxious stench,offensive odor,perspiration,perspiration odor,reek,reeking,rotten smell,stench,stench of decay,stink,streams of sweat,sudor,sudoresis,sweat,swelter,water 2715 - body politic,Everyman,John Doe,Public,ally,archduchy,archdukedom,buffer state,captive nation,chieftaincy,chieftainry,citizenry,city-state,colony,common man,commonweal,commonwealth,community,community at large,country,county,domain,dominion,duchy,dukedom,earldom,empery,empire,estate,everybody,everyman,everyone,everywoman,folk,folks,free city,general public,gentry,grand duchy,kingdom,land,mandant,mandate,mandated territory,mandatee,mandatory,men,nation,nationality,people,people in general,persons,polis,polity,populace,population,possession,power,principality,principate,protectorate,province,public,puppet government,puppet regime,realm,republic,satellite,seneschalty,settlement,society,sovereign nation,state,sultanate,superpower,territory,toparchia,toparchy,world,you and me 2716 - body,Adamite,Bund,Festschrift,Rochdale cooperative,affiliation,age group,aggregate,alliance,amount,amplitude,an existence,ana,anatomy,anthology,aquarium,area,array,ascender,ashes,ashram,assemblage,assembly,association,axis,back,band,basis,bastard type,batch,battalion,beard,being,belly,best part,better part,bevel,bevy,bigness,black letter,bloc,block,bodily size,body-build,bones,branch,breadth,brigade,budget,build,bulk,bunch,bundle,burden,cabal,cadaver,cake,caliber,cap,capital,carcass,carrion,case,cast,caste,cat,chap,character,chrestomathy,church,clan,class,clay,clique,clod,clump,cluster,coalition,coarseness,cohort,collectanea,collection,college,colony,combination,combine,committee,common market,commonwealth,commune,communion,community,company,compilation,complement,concrete,concreteness,concretion,confederacy,confederation,conglomerate,conglomeration,congress,consistency,consumer cooperative,contingent,cooperative,cooperative society,core,corporealize,corporify,corps,corpse,corpulence,corpus,corpus delicti,coterie,council,counter,coverage,covey,creature,credit union,crew,critter,crowbait,crowd,crux,customer,customs union,data,dead body,dead man,dead person,decedent,denomination,density,depth,descender,detachment,detail,diameter,dimension,dimensions,distance through,division,dry bones,duck,durability,dust,earth,earthling,economic class,economic community,em,embalmed corpse,embody,en,endogamous group,entelechy,entity,essence,essentials,expanse,expansion,extended family,extension,extent,face,faction,family,fat-faced type,fatness,federation,feet,fellow,fellowship,figure,firmness,fleet,flesh,florilegium,font,food for worms,form,frame,fraternity,free trade area,fullness,fund,fundamental,fuselage,gang,gauge,generality,gens,girth,gist,gravamen,greatness,groove,groundling,group,grouping,groupment,guy,hand,head,heart,height,holdings,homo,hulk,hull,human,human being,in-group,incarnate,incorporate,individual,italic,joker,junta,kinship group,knot,largeness,late lamented,league,length,letter,library,life,ligature,living soul,logotype,lot,lower case,lump,machine,magnitude,main body,major part,majority,majuscule,man,mass,masses,material body,materiality,materialize,measure,measurement,meat,menagerie,minuscule,mob,moiety,monad,mortal,mortal remains,most,movement,mummification,mummy,museum,nick,node,nose,nuclear family,number,object,offshoot,one,order,organic remains,organism,organization,out-group,outfit,pack,palpability,parcel,partnership,party,peer group,person,persona,personage,personality,personify,persuasion,phalanx,phratria,phratry,phyle,physical body,physique,pi,pica,pith,platoon,plurality,point,political machine,ponderability,posse,print,proportion,proportions,purport,quantity,quantum,radius,range,raw data,reach,reembody,regiment,reincarnate,relics,religious order,reliquiae,remains,richness,ring,roman,salon,sans serif,scale,schism,school,scope,script,sect,sectarism,segment,sense,set,settlement,shank,shape,shoulder,single,size,skeleton,small cap,small capital,social class,society,solid,solid body,solidity,soma,somebody,someone,something,soul,soundness,spread,squad,stability,stable,stamp,staple,steadiness,stem,stiff,stock,stoutness,strength,string,sturdiness,subcaste,substance,substantiality,substantialize,substantialness,substantiate,substantify,sum,tangibility,team,tellurian,tenement of clay,terran,the dead,the deceased,the defunct,the departed,the loved one,the third dimension,thickness,thing,thrust,torso,total,totem,toughness,transmigrate,treasure,tribe,troop,troupe,trunk,type,type body,type class,type lice,typecase,typeface,typefounders,typefoundry,union,unit,upper case,upshot,variety,version,viscosity,volume,whole,width,wing,worldling,zoo 2717 - bodyguard,cavalier,chaperon,companion,conductor,convoy,duenna,escort,esquire,fellow traveler,gentleman-at-arms,guard,guards,guardsman,praetorian guard,safe-conduct,safeguard,shepherd,squire,swain,usher,yeoman 2718 - bog,baygall,bemire,bog down,bottom,bottomland,bottoms,buffalo wallow,cesspool,cloaca,cloaca maxima,drain,dump,everglade,fen,fenland,garbage dump,glade,hog wallow,holm,marais,marish,marsh,marshland,meadow,mere,mire,moor,moorland,morass,moss,mud,mud flat,peat bog,quag,quagmire,quicksand,salt marsh,septic tank,sewer,sink,sink in,slob land,slough,sough,stodge,sump,swale,swamp,swampland,taiga,wallow,wash 2719 - bogey,Dracula,Frankenstein,Mumbo Jumbo,Wolf-man,air armada,air force,bandit,bogeyman,boggart,bogle,booger,boogerman,boogeyman,bug,bugaboo,bugbear,bugger,combat plane,enemy aircraft,fee-faw-fum,frightener,ghost,ghoul,haunt,hobgoblin,holy terror,horror,incubus,monster,nightmare,ogre,ogress,phantom,revenant,scarebabe,scarecrow,scarer,shade,specter,spirit,spook,succubus,terror,vampire,werewolf,wraith 2720 - bogeyman,Dracula,Frankenstein,Mumbo Jumbo,Wolf-man,bogey,boggart,bogle,booger,boogerman,boogeyman,bug,bugaboo,bugbear,bugger,fee-faw-fum,frightener,ghost,ghoul,hobgoblin,holy terror,horror,incubus,monster,nightmare,ogre,ogress,phantom,revenant,scarebabe,scarecrow,scarer,specter,succubus,terror,vampire,werewolf 2721 - boggle,addle,amaze,around the bush,astonish,astound,awe,awestrike,back out,bad job,baffle,balk,bamboozle,bashfulness,be all thumbs,beat,beat about,bedaze,bedazzle,beef,beg the question,bevue,bewilder,bicker,bitch,blench,blow,blunder,blunder away,blunder into,blunder on,blunder upon,bobble,boggling,bollix,bonehead play,boner,boo-boo,botch,bowl down,bowl over,boycott,buffalo,bumble,bungle,butcher,call in question,cavil,challenge,chicken,chicken out,choplogic,clumsy performance,cobble,commit a gaffe,complain,compunction,confound,cry out against,daze,dazzle,demonstrate,demonstrate against,demur,demurral,desert under fire,diffidence,dispute,dodge,dumbfound,dumbfounder,enter a protest,equivocate,error,etourderie,evade,evade the issue,expostulate,falter,faltering,faux pas,fence,fight shy,fight shy of,flabbergast,flinch,floor,flounder,flub,fluff,foozle,fuddle,fumble,funk,funk out,gag,gaucherie,get,get cold feet,goof up,gum up,hang back,hang off,hash,have qualms,have two minds,hedge,hesitance,hesitancy,hesitate,hesitation,hold off,holler,howl,jib,jump,jump a mile,keep in suspense,kick,lick,lose courage,louse up,lumber,make bones about,mar,march,maze,mess,miscue,mistake,modesty,muddle,muff,murder,mystify,nitpick,nonplus,object,objection,obscure,off day,overwhelm,palter,panic,paralyze,parry,pause,perplex,petrify,pick nits,picket,play havoc with,press objections,prevaricate,protest,pull back,pussyfoot,puzzle,quail,qualm,qualm of conscience,qualmishness,quibble,raise a howl,rally,recoil,remonstrate,sad work,scruple,scrupulosity,scrupulousness,scuttle,shift,shrink,shrinking,shuffle,shy,shy at,shyness,sidestep,sit in,skedaddle,slip,split hairs,spoil,squawk,stagger,stampede,start,start aside,startle,state a grievance,stick,stick at,stickle,stickling,strain,strike,strike dead,strike dumb,strike with wonder,stumble,stump,stun,stupefy,surprise,teach in,tergiversate,throw,trip,waver,wince,yell bloody murder 2722 - boggy,boggish,damp,dampish,dank,dewy,fenny,humid,marish,marshy,mirish,miry,moist,moorish,moory,muddy,muggy,paludal,paludous,poachy,quaggy,quagmiry,rainy,roric,roriferous,spouty,sticky,swampish,swampy,tacky,uliginous,undried,wet,wettish 2723 - bogus,affected,apocryphal,artificial,assumed,bastard,brummagem,colorable,colored,counterfeit,counterfeited,distorted,dressed up,dummy,embellished,embroidered,ersatz,factitious,fake,faked,false,falsified,feigned,fictitious,fictive,forged,fraudulent,garbled,illegitimate,imitation,junky,make-believe,man-made,mock,perverted,phony,pinchbeck,pretended,pseudo,put-on,quasi,queer,self-styled,sham,shoddy,simulated,snide,so-called,soi-disant,spurious,supposititious,synthetic,tin,tinsel,titivated,twisted,unauthentic,ungenuine,unnatural,unreal,warped 2724 - Bohemian,Arab,Bedouin,Romany,Zigeuner,affable,beat,beatnik,breakaway,casual,cordial,degage,deviant,dissenter,dropout,easy,easygoing,eccentric,familiar,far out,flower child,folksy,freak,free and easy,fringy,gracious,gypsy,haymish,heretic,heretical,heterodox,hippie,homely,homey,iconoclast,informal,irregular,kinky,loose,maverick,misfit,natural,nomad,nonconformist,nonjuror,not cricket,not done,not kosher,offbeat,offhand,offhanded,original,plain,recusant,relaxed,sectarian,sectary,simple,sociable,swinger,tzigane,ugly duckling,unaffected,unassuming,unceremonious,unconforming,unconformist,unconstrained,unconventional,unfashionable,unofficial,unorthodox,unstudied,way out,yippie,zingaro 2725 - boil down,abbreviate,abridge,abstract,bob,capsulize,clip,compress,condense,contract,crop,curtail,cut,cut back,cut down,cut off short,cut short,dock,elide,epitomize,foreshorten,mow,nip,poll,pollard,prune,reap,recap,recapitulate,reduce,retrench,shave,shear,shorten,snub,streamline,stunt,sum up,summarize,synopsize,take in,telescope,trim,truncate 2726 - boil,abscess,agitation,antisepticize,aposteme,autoclave,bake,barbecue,baste,be in heat,be livid,be pissed,bed sore,blain,blanch,blaze,bleb,blister,bloom,blow up,blubber,bluster,bobbery,boil over,boiling,bolt,braise,brew,bristle,broil,brouhaha,brown,browned off,bubble,bubble over,bubble up,bubo,bulla,bump,bunion,burble,burn,bustle,canker,canker sore,carbuncle,carry on,casserole,chafe,chancre,chancroid,charge,chase,chilblain,chlorinate,choke,churn,coction,coddle,cold sore,combust,commotion,conturbation,cook,corn,course,cover,culinary masterpiece,culinary preparation,curry,cyst,dash,decoct,decoction,decontaminate,delouse,devil,dilatation,dilation,discomposure,dish,disinfect,disorder,disquiet,disquietude,distension,distill,disturbance,do,do to perfection,ebullience,ebulliency,ebulliometer,ebullition,edema,effervesce,embroilment,entree,eschar,excitement,felon,ferment,fermentation,fester,festering,fever,fever blister,feverishness,fidgets,fire,fistula,fizz,fizzle,flame,flame up,flap,flare,flare up,flicker,fling,flurry,flush,fluster,flutteration,foam,foment,fret,fricassee,frizz,frizzle,fry,fulminate,fume,fumigate,furuncle,furunculus,fuss,gasp,gathering,glow,go on,griddle,grill,guggle,gumboil,gurgle,have a conniption,heat,hemorrhoids,hiss,hubbub,hurly-burly,hygienize,incandesce,inquietude,intumescence,jitters,jumpiness,kibe,lash,lesion,lump,maelstrom,main dish,malaise,moil,nerviness,nervosity,nervousness,oven-bake,pan,pan-broil,pant,papula,papule,parboil,parch,paronychia,parulis,pasteurize,perturbation,petechia,piles,pimple,pissed off,plop,poach,pock,polyp,prepare,prepare food,pustule,race,radiate heat,rage,raise Cain,raise hell,raise the devil,raise the roof,rant,rant and rave,rave,restlessness,rising,roast,roil,rout,row,sanitate,sanitize,saute,scab,scald,scallop,scorch,sear,sebaceous cyst,seethe,seething,shimmer with heat,shirr,shoot,side dish,simmer,simmering,sizzle,smoke,smolder,smother,smoulder,soft chancre,sore,spark,sparkle,splutter,sputter,steam,sterilize,stew,stewing,stifle,stigma,stir,stir-fry,storm,sty,suffocate,suppuration,sweat,swell,swelling,swelter,swirl,swollenness,take on,tear,throw a fit,to-do,toast,trepidation,trepidity,tubercle,tumefaction,tumescence,tumidity,tumor,tumult,tumultuation,turbidity,turbulence,turgescence,turgescency,turgidity,turmoil,twitter,ulcer,ulceration,unease,unrest,upset,wale,welt,wen,wheal,whelk,whitlow,work,wound 2727 - boiler room,Klaxon,boiler factory,brokerage,brokerage house,brokerage office,bucket shop,bull-roarer,bunco game,catcall,cherry bomb,clack,clacker,clapper,con game,confidence game,cracker,cricket,firecracker,goldbrick,horn,noisemaker,rattle,rattlebox,shell game,siren,skin game,snapper,steam whistle,stockbrokerage,thimblerig,thimblerigging,ticktack,whistle,whizgig,whizzer 2728 - boiling over,ablaze,afire,ardent,boiling,breathless,burning,burning with excitement,cordial,delirious,drunk,enthusiastic,excited,exuberant,febrile,fervent,fervid,fevered,feverish,fiery,flaming,flushed,glowing,hearty,heated,hectic,het up,hot,impassioned,in rut,intense,intoxicated,keen,lively,on fire,passionate,red-hot,seething,sexually excited,steaming,steamy,unrestrained,vigorous,warm,zealous 2729 - boiling,agitation,ardent,baking,barbecuing,basting,blistering,bluster,bobbery,boil,boiling over,braising,brewing,broil,broiling,brouhaha,bubbliness,bubbling,burning,burning hot,burning with excitement,bustle,canicular,carbonation,catering,churn,coction,commotion,conturbation,cookery,cooking,cuisine,culinary science,decoction,discomposure,disorder,disquiet,disquietude,disturbance,domestic science,ebullience,ebulliency,ebullient,ebulliometer,ebullition,effervescence,effervescency,embroilment,excitement,febrile,ferment,fermentation,fervent,fervid,fever,feverish,feverishness,fidgets,fiery,fizz,fizzle,flaming,flap,flurry,flushed,fluster,flutteration,foaming,foment,frothiness,frothing,frying,fume,fuss,glowing,grilling,heated,hectic,het up,home economics,hot,hot as fire,hot as hell,hubbub,hurly-burly,in rut,inquietude,jitters,jumpiness,like a furnace,like an oven,maelstrom,malaise,moil,nerviness,nervosity,nervousness,nutrition,overheated,overwarm,pan-broiling,parching,passionate,perturbation,piping hot,poaching,red-hot,restlessness,roasting,roil,rout,row,sauteing,scalding,scorching,searing,seethe,seething,sexually excited,shirring,simmer,simmering,sizzling,sizzling hot,smoking hot,smoldering,sparkle,spumescence,steaming,steamy,steeping,stewing,stir,sudorific,sweating,sweaty,sweltering,sweltry,swirl,to-do,toasting,torrid,trepidation,trepidity,tumult,tumultuation,turbidity,turbulence,turmoil,twitter,unease,unrest,upset,warm,white-hot 2730 - boisterous,blaring,blatant,blatting,blustering,blusterous,blustery,brassy,brawling,brazen,bullying,clamant,clamorous,clamoursome,clanging,clangorous,clattery,disorderly,exuberant,harum-scarum,hectoring,knock-down-and-drag-out,knockabout,lively,loudmouthed,mafficking,multivocal,noiseful,noisy,obstreperous,openmouthed,rackety,raging,rambunctious,rampageous,ranting,raucous,raving,riotous,rip-roaring,roistering,roisterous,rollicking,rough,rough-and-tumble,rowdy,rowdyish,storming,stormy,strepitant,strepitous,strident,swaggering,swashbuckling,swashing,tempestuous,termagant,tumultuous,turbulent,undisciplined,unruly,uproarious,vociferant,vociferous,wild 2731 - bold faced,aweless,barefaced,blackface,bold,bold as brass,boldface,boldfaced,brassy,brazen,brazenfaced,cheeky,chromotypic,chromotypographic,forward,fresh,full-faced,impudent,lightface,lost to shame,lower-case,nervy,pert,phototypic,sassy,shameless,smart,smart-alecky,stereotypic,swaggering,typographic,unabashed,unblushing,upper-case 2732 - bold,abrupt,adventurous,arrant,arrogant,audacious,aweless,barefaced,blatant,bluff,bold as brass,bold-spirited,boldfaced,bossed,bossy,brash,brassy,brave,brazen,brazenfaced,breakneck,bumptious,challenging,chased,cheeky,chivalric,chivalrous,clear,cocky,confident,conspicuous,contemptuous,contumelious,courageous,daredevil,daring,dauntless,death-defying,defiant,defying,derisive,disdainful,disregardful,distinct,doughty,embossed,eminent,emissile,enterprising,excrescent,excrescential,exhibitionistic,extruding,fearless,fire-eating,fit for sea,flagrant,foolhardy,forward,fresh,gallant,glaring,greathearted,greatly daring,hanging out,hardy,harebrained,headlong,heroic,herolike,immodest,impertinent,impudent,in relief,in the foreground,incautious,insolent,intrepid,ironhearted,jutting,knightlike,knightly,lionhearted,lost to shame,madbrain,madbrained,madcap,manful,manly,nervy,notable,noticeable,notorious,obtrusive,ostensible,outstanding,pert,plucky,plunging,precipitous,presumptuous,procacious,prognathous,projecting,prominent,pronounced,protrudent,protruding,protrusile,protrusive,protuberant,protuberating,raised,rapid,rash,reckless,regardless of consequences,resolute,salient,sassy,saucy,sea-kindly,seaworthy,shameless,sharp,sheer,smart,smart-alecky,snug,soldierlike,soldierly,stalwart,staring,stark-staring,steep,sticking out,stiff,stout,stouthearted,striking,strong,swaggering,temerarious,tender,unabashed,unafraid,unashamed,unblushing,undaunted,unembarrassed,unmodest,valiant,valorous,venturesome,vertical,vigorous,vivid,waterproof,watertight,weatherly,wild,wild-ass 2733 - boldly,arrantly,audaciously,blatantly,boldfacedly,bravely,brazenfacedly,brazenly,bulldoggishly,chivalrously,conspicuously,courageously,daringly,doughtily,fearlessly,flagrantly,gallantly,gamely,glaringly,gutsily,hardily,heroically,intrepidly,knightly,like a man,like a soldier,markedly,notably,noticeably,notoriously,obtrusively,ostensibly,outstandingly,pertinaciously,pluckily,prominently,pronouncedly,resolutely,saliently,shamelessly,spunkily,stalwartly,staringly,stoutly,strikingly,tenaciously,unblushingly,unfearfully,unfearingly,valiantly,valorously,yeomanly 2734 - bole,anthrophore,axis,barrel,cane,carpophore,cask,caudex,caulicle,caulis,column,culm,cylinder,cylindroid,drum,footstalk,funicule,funiculus,haulm,leafstalk,pedicel,peduncle,petiole,petiolule,petiolus,pillar,pipe,reed,roll,roller,rouleau,seedstalk,spear,spire,stalk,stem,stipe,stock,straw,tigella,trunk,tube 2735 - boll,ball,balloon,bladder,blob,bolus,bubble,bulb,bulbil,bulblet,burr,capsule,cod,ellipsoid,follicle,geoid,globe,globelet,globoid,globule,glomerulus,gob,gobbet,hull,husk,knob,knot,legume,legumen,oblate spheroid,orb,orbit,orblet,pease cod,pellet,pericarp,pod,prolate spheroid,rondure,seed pod,seed vessel,seedbox,seedcase,silique,sphere,spheroid,spherule 2736 - bollix up,ball up,bollix,bugger,bugger up,confound,confuse,cook,foul up,fumble,garble,gum up,hash up,jumble,louse up,mess up,mix up,muck up,muddle,pi,play hell with,play hob with,queer,riffle,scramble,screw up,shuffle,sink,snafu,snarl up,tumble 2737 - bollixed up,anarchic,arsy-varsy,ass-backwards,balled up,buggered,buggered up,chaotic,confused,cooked,fouled up,galley-west,gummed up,hashed up,helter-skelter,higgledy-piggledy,hugger-mugger,in a mess,jumbled,loused up,messed up,mixed up,mucked up,muddled,queered,scattered,screwed up,shot,skimble-skamble,snafu,snafued,snarled up,sunk,topsy-turvy,upside-down 2738 - bologna,Vienna sausage,bangers,black pudding,blood pudding,braunschweiger,frank,frankfurter,gooseliver,headcheese,hot dog,knockwurst,liver sausage,liverwurst,salami,saucisse,sausage,weenie,wiener,wienerwurst,wienie 2739 - Bolshevik,Bolshevist,Bolshie,Carbonarist,Carbonaro,Castroist,Castroite,Charley,Communist,Communist sympathizer,Cong,Fenian,Guevarist,Jacobin,Leninist,Maoist,Marxist,Marxist-Leninist,Mau-Mau,Puritan,Red,Red Republican,Roundhead,Sinn Feiner,Stalinist,Titoist,Trotskyist,Trotskyite,VC,Vietcong,Wobbly,Yankee,Yankee Doodle,anarch,anarchist,anarcho-syndicalist,avowed Communist,bolshie,bonnet rouge,commie,comrade,criminal syndicalist,extreme left-winger,extremist,fellow traveler,left-wing extremist,lunatic fringe,mild radical,nihilist,parlor Bolshevik,parlor pink,pink,pinko,radical,rebel,red,revisionist,revolutionary,revolutionary junta,revolutioner,revolutionist,revolutionizer,sans-culotte,sans-culottist,subversive,syndicalist,terrorist,ultra,ultraist,yippie 2740 - bolster,advance,affirm,afford support,aid,air mattress,assist,assure,attest,authenticate,back,back up,bear,bear out,bear up,bedding,bolster up,brace,brace up,buck up,buoy up,buttress,carry,certify,cheer,circumstantiate,confirm,corroborate,cradle,crutch,cushion,document,embolden,encourage,finance,fortify,fund,further,give support,hearten,help,hold,hold up,innerspring mattress,inspire,inspirit,keep,keep afloat,keep up,lend support,litter,mainstay,maintain,mat,mattress,nerve,pad,pallet,pillow,probate,prop,prop up,prove,ratify,reassure,reinforce,rug,shore,shore up,shoulder,sleeping bag,springs,stay,strengthen,subsidize,substantiate,subvention,subventionize,support,sustain,underbed,underbedding,underbrace,undergird,underlie,underpin,underset,upbear,uphold,upkeep,validate,verify,warrant 2741 - bolt hole,asylum,back door,back stairs,back way,cache,concealment,corner,cover,covert,covert way,coverture,cranny,cubby,cubbyhole,dark corner,den,dugout,ejection seat,emergency exit,escalier derobe,escape hatch,escape route,fire escape,foxhole,funk hole,hideaway,hideout,hidey hole,hiding,hiding place,hole,inflatable slide,lair,life buoy,life net,life raft,lifeboat,lifeline,niche,nook,recess,refuge,retreat,sally port,sanctuary,secret exit,secret passage,secret place,secret staircase,side door,slide,stash,undercovert,underground,underground railroad,underground route 2742 - bolt,AWOL,French leave,Irish confetti,Jupiter Fulgur,Thor,abscond,absence without leave,absquatulate,absquatulation,apostacize,apostasy,apostatize,arrow,arrowhead,articulate,assort,attach,backsliding,bale,ball lightning,bang,bar,barb,barricade,barrier,batten,batten down,beat a retreat,betray,betrayal,bindle,blat,block,block up,blockade,blow,blurt out,bobtailed arrow,boil,bola,bolt down,bolt of lightning,bolt upright,bomb,bombshell,boomerang,bouquet,break away,breakaway,brickbat,buckle,budget,bundle,burn out,butt,button,button up,career,catch,categorize,chain ligh
···